diff --git a/fake_news_COVID.ipynb b/fake_news_COVID.ipynb new file mode 100644 index 0000000..7ca2137 --- /dev/null +++ b/fake_news_COVID.ipynb @@ -0,0 +1,48039 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "metadata": {}, + "outputs": [], + "source": [ + "from nltk.corpus import stopwords\n", + "STOPWORDS = set(stopwords.words('english'))\n", + "from sklearn.feature_extraction.text import CountVectorizer\n", + "\n", + "from textblob import TextBlob\n", + "import plotly.express as px\n", + "import plotly.figure_factory as ff\n", + "import plotly.graph_objects as go" + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "metadata": {}, + "outputs": [], + "source": [ + "df = pd.read_csv('data/corona_fake.csv')\n", + "df.loc[df['label'] == 'Fake', ['label']] = 'FAKE'\n", + "df.loc[df['label'] == 'fake', ['label']] = 'FAKE'\n", + "df.loc[df['source'] == 'facebook', ['source']] = 'Facebook'\n", + "df.text.fillna(df.title, inplace=True)\n", + "\n", + "df.loc[5]['label'] = 'FAKE'\n", + "df.loc[15]['label'] = 'TRUE'\n", + "df.loc[43]['label'] = 'FAKE'\n", + "df.loc[131]['label'] = 'TRUE'\n", + "df.loc[242]['label'] = 'FAKE'\n", + "\n", + "df = df.sample(frac=1).reset_index(drop=True)" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "TRUE 586\n", + "FAKE 578\n", + "Name: label, dtype: int64" + ] + }, + "execution_count": 3, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.label.value_counts()" + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "https://www.health.harvard.edu/ 102\n", + "https://www.nytimes.com/ 62\n", + "https://www.globalhealthnow.org/ 56\n", + "https://www.who.int/ 49\n", + "https://www.cdc.gov/ 38\n", + " ... \n", + "https://www.tandfonline.com/ 1\n", + "https://khn.org/ 1\n", + "https://www.nccih.nih.gov/ 1\n", + "https://apnews.com/ 1\n", + "https://www.vanityfair.com/ 1\n", + "Name: source, Length: 88, dtype: int64" + ] + }, + "execution_count": 4, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.loc[df['label'] == 'TRUE'].source.value_counts()" + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "Facebook 61\n", + "https://www.naturalnews.com/ 25\n", + "http://orthomolecular.org/ 21\n", + "https://web.archive.org/ 21\n", + "https://southfront.org/ 17\n", + " ..\n", + "https://www.nature.com/ 1\n", + "https://www.redstate.com/ 1\n", + "fort-russ.com 1\n", + "vivifyholistic.ca 1\n", + "Japanese doctors treating COVID-19 cases 1\n", + "Name: source, Length: 183, dtype: int64" + ] + }, + "execution_count": 5, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.loc[df['label'] == 'FAKE'].source.value_counts()" + ] + }, + { + "cell_type": "code", + "execution_count": 73, + "metadata": {}, + "outputs": [], + "source": [ + "def print_plot(index):\n", + " example = df[df.index == index][['text','label']].values[0]\n", + " if len(example) > 0:\n", + " print(example[0])\n", + " print('label:', example[1])" + ] + }, + { + "cell_type": "code", + "execution_count": 78, + "metadata": { + "scrolled": false + }, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Take a deep breath and hold your breath for more than 10 seconds. If you complete it successfully without coughing, without discomfort, stiffness or tightness, etc., it proves there is no (COVID-19 caused) Fibrosis in the lungs, basically indicates no infection\n", + "label: FAKE\n" + ] + } + ], + "source": [ + "print_plot(500)" + ] + }, + { + "cell_type": "code", + "execution_count": 77, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "When a virus passes from a nonhuman animal into a human, we call that moment of spillover a zoonotic transmission. It’s an ecological event. What happens next depends on evolutionary potential and chance. If the virus is adaptable, it may succeed in replicating and proliferating in the new human host. Maybe it kills the person and the line of transmission comes to an end there—as happens with rabies. But if the virus is even more adaptable, it may acquire the ability to pass from one human host to another, perhaps by sexual contact (as with HIV), perhaps in bodily fluids such as blood (as with Ebola), perhaps in respiratory droplets launched by coughing or sneezing (as with influenza or SARS). What makes a virus adaptable? The changeability of its genome, plus Darwinian natural selection. Those viruses with single-stranded RNA genomes, which replicate themselves inaccurately and therefore have highly changeable genomes, are among the most adaptable. Coronaviruses belong to that group.\n", + "label: TRUE\n" + ] + } + ], + "source": [ + "print_plot(1000)" + ] + }, + { + "cell_type": "code", + "execution_count": 6, + "metadata": {}, + "outputs": [], + "source": [ + "df['text'] = df['text'].str.replace('[^\\w\\s]','')\n", + "df['text'] = df['text'].str.lower()" + ] + }, + { + "cell_type": "code", + "execution_count": 81, + "metadata": { + "scrolled": false + }, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "take a deep breath and hold your breath for more than 10 seconds if you complete it successfully without coughing without discomfort stiffness or tightness etc it proves there is no covid19 caused fibrosis in the lungs basically indicates no infection\n", + "label: FAKE\n" + ] + } + ], + "source": [ + "print_plot(500)" + ] + }, + { + "cell_type": "code", + "execution_count": 82, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "when a virus passes from a nonhuman animal into a human we call that moment of spillover a zoonotic transmission its an ecological event what happens next depends on evolutionary potential and chance if the virus is adaptable it may succeed in replicating and proliferating in the new human host maybe it kills the person and the line of transmission comes to an end thereas happens with rabies but if the virus is even more adaptable it may acquire the ability to pass from one human host to another perhaps by sexual contact as with hiv perhaps in bodily fluids such as blood as with ebola perhaps in respiratory droplets launched by coughing or sneezing as with influenza or sars what makes a virus adaptable the changeability of its genome plus darwinian natural selection those viruses with singlestranded rna genomes which replicate themselves inaccurately and therefore have highly changeable genomes are among the most adaptable coronaviruses belong to that group\n", + "label: TRUE\n" + ] + } + ], + "source": [ + "print_plot(1000)" + ] + }, + { + "cell_type": "code", + "execution_count": 22, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "Text", + "marker": { + "color": "rgb(31, 119, 180)" + }, + "name": "Text", + "opacity": 0.7, + "type": "histogram", + "x": [ + 68, + 768, + 550, + 513, + 121, + 26, + 2523, + 2219, + 148, + 50, + 321, + 144, + 43, + 1464, + 408, + 169, + 1653, + 149, + 288, + 843, + 82, + 1030, + 9, + 12, + 881, + 1177, + 735, + 2982, + 797, + 2447, + 44, + 570, + 776, + 82, + 101, + 143, + 100, + 374, + 1125, + 576, + 1162, + 356, + 586, + 113, + 594, + 86, + 581, + 91, + 447, + 1124, + 8, + 511, + 42, + 43, + 192, + 1974, + 1724, + 1750, + 47, + 699, + 549, + 205, + 302, + 812, + 151, + 215, + 28, + 3324, + 16, + 600, + 667, + 72, + 2056, + 689, + 53, + 801, + 43, + 25, + 277, + 218, + 104, + 17, + 1403, + 552, + 30, + 208, + 160, + 2664, + 885, + 363, + 45, + 607, + 569, + 743, + 810, + 196, + 885, + 252, + 355, + 87, + 1162, + 1571, + 22, + 64, + 1384, + 50, + 96, + 155, + 638, + 150, + 111, + 1450, + 1018, + 76, + 177, + 484, + 2392, + 732, + 633, + 2083, + 316, + 138, + 3066, + 88, + 39, + 995, + 23, + 1888, + 76, + 77, + 55, + 233, + 125, + 797, + 134, + 364, + 80, + 386, + 17, + 132, + 2407, + 420, + 1074, + 164, + 2072, + 62, + 262, + 211, + 81, + 104, + 157, + 681, + 135, + 183, + 106, + 11, + 3703, + 463, + 126, + 37, + 45, + 247, + 148, + 90, + 25, + 387, + 148, + 268, + 132, + 65, + 2525, + 22, + 47, + 159, + 1266, + 1460, + 156, + 3295, + 334, + 603, + 18, + 2230, + 193, + 1174, + 536, + 750, + 587, + 2301, + 1326, + 32, + 369, + 200, + 302, + 705, + 33, + 18, + 2612, + 73, + 256, + 879, + 423, + 1415, + 411, + 326, + 678, + 67, + 30, + 120, + 1522, + 95, + 136, + 1336, + 67, + 124, + 1165, + 86, + 31, + 96, + 1580, + 132, + 537, + 199, + 230, + 476, + 51, + 454, + 81, + 306, + 2114, + 2482, + 155, + 598, + 13, + 38, + 220, + 247, + 2596, + 412, + 199, + 777, + 606, + 1494, + 112, + 2961, + 291, + 963, + 147, + 31, + 66, + 1659, + 685, + 9, + 943, + 469, + 795, + 153, + 436, + 167, + 1129, + 54, + 1127, + 237, + 313, + 150, + 54, + 2691, + 13, + 118, + 100, + 1697, + 2450, + 1129, + 175, + 56, + 77, + 269, + 37, + 788, + 58, + 148, + 583, + 781, + 94, + 64, + 275, + 908, + 139, + 19, + 169, + 45, + 609, + 3766, + 539, + 2488, + 274, + 3702, + 22, + 2717, + 65, + 146, + 593, + 1232, + 62, + 1610, + 1720, + 24, + 45, + 13, + 395, + 154, + 17, + 1424, + 518, + 14, + 475, + 617, + 185, + 70, + 85, + 618, + 1221, + 88, + 120, + 14, + 95, + 574, + 13, + 20, + 142, + 971, + 4557, + 571, + 35, + 103, + 598, + 24, + 40, + 1368, + 74, + 1597, + 1259, + 143, + 609, + 764, + 343, + 20, + 141, + 731, + 405, + 932, + 244, + 1349, + 1241, + 631, + 2239, + 181, + 895, + 181, + 1111, + 1002, + 98, + 56, + 537, + 1599, + 18, + 885, + 525, + 86, + 861, + 18, + 333, + 805, + 44, + 80, + 579, + 3560, + 161, + 18, + 904, + 135, + 1028, + 270, + 69, + 64, + 757, + 187, + 366, + 122, + 198, + 124, + 541, + 288, + 153, + 136, + 508, + 1161, + 914, + 165, + 55, + 866, + 420, + 1614, + 245, + 1837, + 64, + 1140, + 57, + 96, + 59, + 93, + 54, + 81, + 649, + 1174, + 89, + 68, + 116, + 196, + 190, + 3293, + 133, + 69, + 138, + 258, + 575, + 111, + 317, + 109, + 46, + 1284, + 2398, + 103, + 184, + 26, + 205, + 235, + 117, + 888, + 1525, + 229, + 1440, + 88, + 999, + 364, + 866, + 821, + 50, + 100, + 45, + 80, + 143, + 88, + 2062, + 1989, + 30, + 1192, + 1236, + 451, + 304, + 987, + 511, + 143, + 1118, + 382, + 1027, + 39, + 857, + 1025, + 1247, + 855, + 56, + 1783, + 836, + 140, + 62, + 1474, + 361, + 189, + 83, + 145, + 138, + 174, + 170, + 755, + 741, + 349, + 637, + 47, + 35, + 1551, + 75, + 134, + 1891, + 1728, + 206, + 230, + 1145, + 547, + 509, + 213, + 1649, + 3991, + 239, + 167, + 17, + 1287, + 36, + 189, + 23, + 38, + 1268, + 143, + 605, + 772, + 146, + 565, + 167, + 34, + 631, + 2455, + 125, + 1819, + 44, + 884, + 345, + 299, + 146, + 215, + 26, + 441, + 326, + 838, + 2698, + 789, + 322, + 86, + 1674, + 970, + 624, + 2596, + 345, + 780, + 126, + 172, + 199, + 103, + 476, + 129, + 552, + 223, + 985, + 1317, + 159, + 484, + 1091, + 140, + 177, + 467, + 633, + 100, + 3209, + 72, + 3811, + 1141, + 40, + 164, + 56, + 134, + 833, + 406, + 607, + 473, + 104, + 17, + 612, + 85, + 141, + 72, + 1965, + 1404, + 439, + 479, + 66, + 2062, + 81, + 159, + 73, + 93, + 20, + 28, + 56, + 517, + 150, + 17, + 168, + 1608, + 236, + 1356, + 369, + 181, + 43, + 168, + 184, + 53, + 636, + 146, + 2721, + 62, + 76, + 158, + 137, + 69, + 51, + 615, + 12, + 153, + 135, + 518, + 688, + 142, + 4, + 130, + 601, + 1288, + 162, + 34, + 744, + 1243, + 1426, + 390, + 769, + 219, + 272, + 42, + 367, + 12, + 1256, + 134, + 564, + 1195, + 47, + 151, + 231, + 557, + 158, + 88, + 60, + 141, + 45, + 649, + 59, + 72, + 154, + 38, + 236, + 86, + 64, + 139, + 54, + 172, + 425, + 1650, + 91, + 3687, + 549, + 1114, + 103, + 1330, + 1404, + 1150, + 106, + 2315, + 326, + 558, + 62, + 552, + 80, + 984, + 208, + 18, + 11, + 208, + 491, + 190, + 59, + 898, + 650, + 20, + 437, + 712, + 596, + 247, + 1080, + 419, + 615, + 445, + 26, + 369, + 50, + 163, + 18, + 56, + 166, + 57, + 93, + 2917, + 29, + 2204, + 56, + 2488, + 1264, + 105, + 45, + 2908, + 1157, + 407, + 30, + 125, + 117, + 1975, + 96, + 1286, + 874, + 143, + 302, + 180, + 1890, + 662, + 204, + 413, + 67, + 532, + 11, + 107, + 22, + 301, + 1113, + 7, + 2747, + 190, + 218, + 187, + 2650, + 2374, + 128, + 578, + 1203, + 3345, + 270, + 637, + 1653, + 941, + 712, + 244, + 4085, + 71, + 72, + 1276, + 576, + 95, + 68, + 69, + 34, + 816, + 651, + 40, + 75, + 397, + 38, + 5184, + 2198, + 352, + 95, + 336, + 1402, + 533, + 2318, + 548, + 552, + 1259, + 278, + 192, + 788, + 151, + 118, + 942, + 1105, + 174, + 858, + 138, + 1439, + 93, + 1229, + 1653, + 2640, + 679, + 218, + 167, + 193, + 2316, + 275, + 2506, + 89, + 1920, + 1115, + 166, + 908, + 153, + 2466, + 47, + 80, + 796, + 286, + 33, + 482, + 119, + 76, + 2066, + 63, + 115, + 476, + 391, + 178, + 73, + 83, + 487, + 141, + 128, + 68, + 64, + 55, + 50, + 223, + 190, + 34, + 28, + 2116, + 633, + 1080, + 145, + 564, + 43, + 504, + 45, + 136, + 2117, + 1062, + 2046, + 2366, + 182, + 134, + 6, + 470, + 752, + 803, + 241, + 13, + 91, + 66, + 136, + 668, + 38, + 1012, + 461, + 333, + 45, + 62, + 200, + 484, + 1081, + 838, + 153, + 1047, + 68, + 3235, + 21, + 725, + 137, + 164, + 1094, + 1129, + 148, + 970, + 144, + 2513, + 208, + 143, + 594, + 72, + 481, + 2912, + 26, + 169, + 1266, + 1004, + 355, + 1240, + 1250, + 38, + 39, + 62, + 268, + 1063, + 32, + 110, + 142, + 501, + 231, + 584, + 2721, + 1852, + 339, + 885, + 350, + 138, + 197, + 54, + 173, + 112, + 17, + 1656, + 2085, + 903, + 68, + 45, + 46, + 325, + 679, + 176, + 2062, + 151, + 111, + 597, + 96, + 1545, + 1009, + 635, + 204, + 1609, + 2796, + 42, + 69, + 1470, + 47, + 286, + 1080, + 32, + 666, + 45, + 174, + 82, + 131, + 481, + 190, + 526, + 1607, + 880, + 1999, + 758, + 142, + 55, + 176, + 885, + 3688, + 1403, + 123, + 81, + 743, + 63, + 1697, + 97, + 497, + 89, + 36, + 31, + 968, + 15, + 1144, + 116, + 489, + 43, + 11, + 24, + 78, + 3060, + 108, + 89, + 184, + 1420, + 543, + 649, + 17, + 151, + 1465, + 649, + 461, + 566, + 1178, + 597, + 349, + 508, + 313, + 78, + 499, + 13, + 77, + 1521, + 1599, + 120, + 146, + 46, + 93, + 77, + 345, + 842, + 885, + 30, + 287, + 2175, + 86, + 1222, + 17, + 776, + 246, + 3069, + 1167, + 500, + 1082, + 36, + 68, + 575, + 771, + 260, + 70, + 1314, + 1336, + 141, + 123, + 85, + 2210, + 714, + 1210, + 631, + 1703, + 213, + 69, + 32, + 62, + 1505, + 649, + 23, + 962, + 152, + 345, + 933, + 572, + 194, + 1382, + 180, + 2766, + 57, + 102, + 1000, + 25, + 55, + 52, + 153, + 248, + 3887, + 55, + 55, + 82, + 1151, + 42, + 2484, + 185, + 928, + 73, + 972, + 2257, + 264, + 1312, + 101, + 1161, + 170, + 54, + 226, + 1506, + 56, + 574, + 40, + 252, + 1812, + 1214, + 87, + 88, + 240, + 72, + 743, + 95, + 107, + 91, + 339, + 41, + 78, + 88, + 821, + 91, + 208, + 48, + 151, + 384, + 118, + 59, + 489, + 28, + 13, + 82, + 186, + 32, + 48, + 33, + 198, + 644, + 80, + 215, + 756, + 295, + 182, + 122, + 1176, + 7, + 192, + 325, + 825, + 179, + 206, + 1735, + 174, + 91, + 25, + 977, + 18, + 309, + 462, + 19, + 17, + 300, + 155, + 749, + 72, + 110, + 1324, + 192, + 240, + 1089, + 100, + 1002, + 763, + 27, + 1659, + 606, + 1524, + 56 + ], + "xaxis": "x", + "xbins": { + "end": 5184, + "size": 1, + "start": 4 + }, + "yaxis": "y" + }, + { + "legendgroup": "Text", + "marker": { + "color": "rgb(31, 119, 180)" + }, + "mode": "lines", + "name": "Text", + "showlegend": false, + "type": "scatter", + "x": [ + 4, + 14.36, + 24.72, + 35.08, + 45.44, + 55.8, + 66.16, + 76.52, + 86.88, + 97.24, + 107.6, + 117.96, + 128.32, + 138.68, + 149.04, + 159.4, + 169.76, + 180.12, + 190.48, + 200.84, + 211.2, + 221.56, + 231.92, + 242.28, + 252.64, + 263, + 273.36, + 283.72, + 294.08, + 304.44, + 314.8, + 325.16, + 335.52, + 345.88, + 356.24, + 366.6, + 376.96, + 387.32, + 397.68, + 408.04, + 418.4, + 428.76, + 439.12, + 449.48, + 459.84, + 470.2, + 480.56, + 490.92, + 501.28, + 511.64, + 522, + 532.36, + 542.72, + 553.08, + 563.44, + 573.8, + 584.16, + 594.52, + 604.88, + 615.24, + 625.6, + 635.96, + 646.32, + 656.68, + 667.04, + 677.4, + 687.76, + 698.12, + 708.48, + 718.84, + 729.2, + 739.56, + 749.92, + 760.28, + 770.64, + 781, + 791.36, + 801.72, + 812.08, + 822.44, + 832.8, + 843.16, + 853.52, + 863.88, + 874.24, + 884.6, + 894.96, + 905.32, + 915.68, + 926.04, + 936.4, + 946.76, + 957.12, + 967.48, + 977.84, + 988.2, + 998.56, + 1008.92, + 1019.28, + 1029.64, + 1040, + 1050.36, + 1060.72, + 1071.08, + 1081.44, + 1091.8, + 1102.16, + 1112.52, + 1122.88, + 1133.24, + 1143.6, + 1153.96, + 1164.32, + 1174.68, + 1185.04, + 1195.4, + 1205.76, + 1216.12, + 1226.48, + 1236.84, + 1247.2, + 1257.56, + 1267.92, + 1278.28, + 1288.64, + 1299, + 1309.36, + 1319.72, + 1330.08, + 1340.44, + 1350.8, + 1361.16, + 1371.52, + 1381.88, + 1392.24, + 1402.6, + 1412.96, + 1423.32, + 1433.68, + 1444.04, + 1454.4, + 1464.76, + 1475.12, + 1485.48, + 1495.84, + 1506.2, + 1516.56, + 1526.92, + 1537.28, + 1547.64, + 1558, + 1568.36, + 1578.72, + 1589.08, + 1599.44, + 1609.8, + 1620.16, + 1630.52, + 1640.88, + 1651.24, + 1661.6, + 1671.96, + 1682.32, + 1692.68, + 1703.04, + 1713.4, + 1723.76, + 1734.12, + 1744.48, + 1754.84, + 1765.2, + 1775.56, + 1785.92, + 1796.28, + 1806.64, + 1817, + 1827.36, + 1837.72, + 1848.08, + 1858.44, + 1868.8, + 1879.16, + 1889.52, + 1899.88, + 1910.24, + 1920.6, + 1930.96, + 1941.32, + 1951.68, + 1962.04, + 1972.4, + 1982.76, + 1993.12, + 2003.48, + 2013.84, + 2024.2, + 2034.56, + 2044.92, + 2055.28, + 2065.64, + 2076, + 2086.36, + 2096.72, + 2107.08, + 2117.44, + 2127.8, + 2138.16, + 2148.52, + 2158.88, + 2169.24, + 2179.6, + 2189.96, + 2200.32, + 2210.68, + 2221.04, + 2231.4, + 2241.76, + 2252.12, + 2262.48, + 2272.84, + 2283.2, + 2293.56, + 2303.92, + 2314.28, + 2324.64, + 2335, + 2345.36, + 2355.72, + 2366.08, + 2376.44, + 2386.8, + 2397.16, + 2407.52, + 2417.88, + 2428.24, + 2438.6, + 2448.96, + 2459.32, + 2469.68, + 2480.04, + 2490.4, + 2500.76, + 2511.12, + 2521.48, + 2531.84, + 2542.2, + 2552.56, + 2562.92, + 2573.28, + 2583.64, + 2594, + 2604.36, + 2614.72, + 2625.08, + 2635.44, + 2645.8, + 2656.16, + 2666.52, + 2676.88, + 2687.24, + 2697.6, + 2707.96, + 2718.32, + 2728.68, + 2739.04, + 2749.4, + 2759.76, + 2770.12, + 2780.48, + 2790.84, + 2801.2, + 2811.56, + 2821.92, + 2832.28, + 2842.64, + 2853, + 2863.36, + 2873.72, + 2884.08, + 2894.44, + 2904.8, + 2915.16, + 2925.52, + 2935.88, + 2946.24, + 2956.6, + 2966.96, + 2977.32, + 2987.68, + 2998.04, + 3008.4, + 3018.76, + 3029.12, + 3039.48, + 3049.84, + 3060.2, + 3070.56, + 3080.92, + 3091.28, + 3101.64, + 3112, + 3122.36, + 3132.72, + 3143.08, + 3153.44, + 3163.8, + 3174.16, + 3184.52, + 3194.88, + 3205.24, + 3215.6, + 3225.96, + 3236.32, + 3246.68, + 3257.04, + 3267.4, + 3277.76, + 3288.12, + 3298.48, + 3308.84, + 3319.2, + 3329.56, + 3339.92, + 3350.28, + 3360.64, + 3371, + 3381.36, + 3391.72, + 3402.08, + 3412.44, + 3422.8, + 3433.16, + 3443.52, + 3453.88, + 3464.24, + 3474.6, + 3484.96, + 3495.32, + 3505.68, + 3516.04, + 3526.4, + 3536.76, + 3547.12, + 3557.48, + 3567.84, + 3578.2, + 3588.56, + 3598.92, + 3609.28, + 3619.64, + 3630, + 3640.36, + 3650.72, + 3661.08, + 3671.44, + 3681.8, + 3692.16, + 3702.52, + 3712.88, + 3723.24, + 3733.6, + 3743.96, + 3754.32, + 3764.68, + 3775.04, + 3785.4, + 3795.76, + 3806.12, + 3816.48, + 3826.84, + 3837.2, + 3847.56, + 3857.92, + 3868.28, + 3878.64, + 3889, + 3899.36, + 3909.72, + 3920.08, + 3930.44, + 3940.8, + 3951.16, + 3961.52, + 3971.88, + 3982.24, + 3992.6, + 4002.96, + 4013.32, + 4023.68, + 4034.04, + 4044.4, + 4054.76, + 4065.12, + 4075.48, + 4085.84, + 4096.2, + 4106.56, + 4116.92, + 4127.28, + 4137.64, + 4148, + 4158.36, + 4168.72, + 4179.08, + 4189.44, + 4199.8, + 4210.16, + 4220.52, + 4230.88, + 4241.24, + 4251.6, + 4261.96, + 4272.32, + 4282.68, + 4293.04, + 4303.4, + 4313.76, + 4324.12, + 4334.48, + 4344.84, + 4355.2, + 4365.56, + 4375.92, + 4386.28, + 4396.64, + 4407, + 4417.36, + 4427.72, + 4438.08, + 4448.44, + 4458.8, + 4469.16, + 4479.52, + 4489.88, + 4500.24, + 4510.6, + 4520.96, + 4531.32, + 4541.68, + 4552.04, + 4562.4, + 4572.76, + 4583.12, + 4593.48, + 4603.84, + 4614.2, + 4624.56, + 4634.92, + 4645.28, + 4655.64, + 4666, + 4676.36, + 4686.72, + 4697.08, + 4707.44, + 4717.8, + 4728.16, + 4738.52, + 4748.88, + 4759.24, + 4769.6, + 4779.96, + 4790.32, + 4800.68, + 4811.04, + 4821.4, + 4831.76, + 4842.12, + 4852.48, + 4862.84, + 4873.2, + 4883.56, + 4893.92, + 4904.28, + 4914.64, + 4925, + 4935.36, + 4945.72, + 4956.08, + 4966.44, + 4976.8, + 4987.16, + 4997.52, + 5007.88, + 5018.24, + 5028.6, + 5038.96, + 5049.32, + 5059.68, + 5070.04, + 5080.4, + 5090.76, + 5101.12, + 5111.48, + 5121.84, + 5132.2, + 5142.56, + 5152.92, + 5163.28, + 5173.64 + ], + "xaxis": "x", + "y": [ + 0.00095724475742224, + 0.0009843787752365134, + 0.0010097012734786963, + 0.001033058615160215, + 0.0010543117793679199, + 0.0010733380875050653, + 0.0010900327171065771, + 0.0011043099758391572, + 0.0011161043127888143, + 0.0011253710491588359, + 0.001132086815925936, + 0.001136249691696318, + 0.001137879039824829, + 0.0011370150496649773, + 0.0011337179924629744, + 0.0011280672077589274, + 0.001120159841086873, + 0.0011101093581601096, + 0.0010980438644937667, + 0.0010841042624762708, + 0.0010684422801998752, + 0.0010512184078639724, + 0.0010325997782620441, + 0.0010127580277638534, + 0.0009918671733395122, + 0.0009701015395906702, + 0.0009476337675221885, + 0.0009246329339849557, + 0.0009012628074375677, + 0.0008776802620097823, + 0.0008540338679068504, + 0.0008304626720753732, + 0.0008070951788610043, + 0.0007840485362246369, + 0.0007614279290385206, + 0.0007393261771401566, + 0.0007178235322526556, + 0.0006969876646467589, + 0.000676873827570985, + 0.000657525185048755, + 0.0006389732866587665, + 0.0006212386713890175, + 0.0006043315815860261, + 0.000588252767398665, + 0.000572994361921093, + 0.0005585408074437764, + 0.0005448698137911994, + 0.0005319533306197933, + 0.0005197585167262238, + 0.0005082486908281874, + 0.0004973842498796608, + 0.000487123542722398, + 0.00047742368870845755, + 0.00046824133280965634, + 0.00045953333061665225, + 0.0004512573584837279, + 0.0004433724458600241, + 0.000435839428532943, + 0.00042862132306827766, + 0.00042168362414269397, + 0.00041499452771069086, + 0.0004085250840182009, + 0.00040224928536141205, + 0.0003961440941896536, + 0.00039018941766709664, + 0.00038436803514537663, + 0.00037866548516749183, + 0.0003730699186350721, + 0.00036757192464162197, + 0.00036216433522104515, + 0.000356842014902623, + 0.00035160164052062975, + 0.00034644147621930126, + 0.0003413611480421341, + 0.0003363614219179971, + 0.00033144398827359166, + 0.0003266112559290401, + 0.00032186615738546303, + 0.0003172119671026093, + 0.00031265213390072174, + 0.00030819012821096313, + 0.0003038293045473444, + 0.00029957277928202125, + 0.0002954233235744261, + 0.00029138327113014485, + 0.00028745444034292567, + 0.00028363807029640326, + 0.000279934770063476, + 0.00027634448073250435, + 0.0002728664496019704, + 0.00026949921601036983, + 0.0002662406082977834, + 0.0002630877514224728, + 0.0002600370847737043, + 0.0002570843897259052, + 0.0002542248264657056, + 0.00025145297959050105, + 0.00024876291192451607, + 0.0002461482259270778, + 0.0002436021319804368, + 0.00024111752274468318, + 0.0002386870526597679, + 0.0002363032215647041, + 0.00023395846129748425, + 0.00023164522404199318, + 0.00022935607110598636, + 0.00022708376075232585, + 0.00022482133366876687, + 0.00022256219465339766, + 0.00022030018911605367, + 0.0002180296730521826, + 0.00021574557523504196, + 0.00021344345049383541, + 0.0002111195230973337, + 0.00020877071944146538, + 0.0002063946894411216, + 0.00020398981624601627, + 0.000201555214132281, + 0.0001990907146595479, + 0.00019659684142139708, + 0.00019407477394903558, + 0.0001915263015480069, + 0.00018895376805005298, + 0.0001863600086420325, + 0.00018374828008678354, + 0.00018112218577359077, + 0.00017848559712593112, + 0.00017584257294981306, + 0.0001731972783265987, + 0.0001705539046399093, + 0.00016791659227812452, + 0.0001652893574739129, + 0.00016267602463269275, + 0.00016008016536600257, + 0.00015750504528702313, + 0.00015495357944784509, + 0.00015242829710569066, + 0.00014993131630246663, + 0.00014746432853310194, + 0.00014502859356741428, + 0.00014262494428192625, + 0.00014025380115613336, + 0.00013791519589594723, + 0.00013560880346889226, + 0.00013333398167425268, + 0.00013108981722955424, + 0.0001288751772349272, + 0.00012668876478103778, + 0.00012452917739599428, + 0.00012239496698304784, + 0.00012028469988472753, + 0.00011819701572046563, + 0.00011613068368352131, + 0.0001140846550483271, + 0.00011205811073001116, + 0.0001100505028520362, + 0.00010806158941342235, + 0.00010609146130121229, + 0.00010414056106359499, + 0.00010220969304097133, + 0.0001003000246424413, + 9.841307874970175e-05, + 9.655071742499414e-05, + 9.471511729028023e-05, + 9.290873712704739e-05, + 9.113427841595544e-05, + 8.939463968909751e-05, + 8.769286570142923e-05, + 8.603209253885468e-05, + 8.44154898659545e-05, + 8.284620157443946e-05, + 8.132728612276776e-05, + 7.98616578573341e-05, + 7.84520305762969e-05, + 7.71008645392313e-05, + 7.581031804086553e-05, + 7.458220455730574e-05, + 7.341795634113327e-05, + 7.231859519082456e-05, + 7.12847109538296e-05, + 7.031644814540055e-05, + 6.941350088119383e-05, + 6.857511613520325e-05, + 6.780010515015495e-05, + 6.708686264944774e-05, + 6.643339333218048e-05, + 6.583734497958999e-05, + 6.529604736574268e-05, + 6.480655605051554e-05, + 6.436570004115487e-05, + 6.397013224180317e-05, + 6.361638156950379e-05, + 6.330090560083642e-05, + 6.302014262537892e-05, + 6.27705620198637e-05, + 6.254871191883618e-05, + 6.235126324190703e-05, + 6.217504924189885e-05, + 6.201709985947072e-05, + 6.187467030495766e-05, + 6.174526343371421e-05, + 6.162664563355031e-05, + 6.151685609815219e-05, + 6.14142095149568e-05, + 6.131729234614823e-05, + 6.122495302380704e-05, + 6.113628651156121e-05, + 6.105061380248756e-05, + 6.0967457024014296e-05, + 6.0886510903148475e-05, + 6.0807611407951986e-05, + 6.073070242279232e-05, + 6.06558013350055e-05, + 6.058296440927772e-05, + 6.05122528038463e-05, + 6.044370004062131e-05, + 6.037728168107968e-05, + 6.031288788325489e-05, + 6.025029942467487e-05, + 6.018916767432779e-05, + 6.012899888652896e-05, + 6.006914307394326e-05, + 6.000878759907588e-05, + 5.994695550635641e-05, + 5.98825085034862e-05, + 5.981415439379802e-05, + 5.974045866353968e-05, + 5.965985984146663e-05, + 5.957068817476395e-05, + 5.947118710653433e-05, + 5.9359536996851654e-05, + 5.9233880502167095e-05, + 5.909234901666539e-05, + 5.8933089583523196e-05, + 5.87542917029963e-05, + 5.855421349652619e-05, + 5.833120672993086e-05, + 5.8083740252264806e-05, + 5.781042146793149e-05, + 5.751001552581359e-05, + 5.7181461978223946e-05, + 5.6823888732090275e-05, + 5.6436623182822e-05, + 5.60192004858241e-05, + 5.557136897994967e-05, + 5.509309282997459e-05, + 5.458455200044594e-05, + 5.404613971039627e-05, + 5.3478457547204015e-05, + 5.2882308438461207e-05, + 5.2258687693562266e-05, + 5.1608772332622117e-05, + 5.0933908920266303e-05, + 5.0235600116974725e-05, + 4.9515490152255714e-05, + 4.8775349413244154e-05, + 4.801705833056892e-05, + 4.724259073160658e-05, + 4.645399682043432e-05, + 4.565338593460215e-05, + 4.4842909221688914e-05, + 4.402474237365381e-05, + 4.3201068554145e-05, + 4.237406165284018e-05, + 4.154587000101812e-05, + 4.071860068318797e-05, + 3.98943045799154e-05, + 3.907496227612939e-05, + 3.8262470966331696e-05, + 3.7458632482523996e-05, + 3.6665142561705166e-05, + 3.588358145707984e-05, + 3.511540598047595e-05, + 3.4361943042985165e-05, + 3.362438473686207e-05, + 3.2903784974851945e-05, + 3.220105767420351e-05, + 3.15169764426912e-05, + 3.0852175694203505e-05, + 3.0207153093102774e-05, + 2.9582273200903675e-05, + 2.8977772177069773e-05, + 2.8393763368981136e-05, + 2.783024361528663e-05, + 2.7287100082574953e-05, + 2.676411745795057e-05, + 2.626098532972777e-05, + 2.577730560476638e-05, + 2.5312599833349075e-05, + 2.4866316340000346e-05, + 2.4437837090058938e-05, + 2.4026484255696476e-05, + 2.363152647981603e-05, + 2.3252184870167067e-05, + 2.2887638787362723e-05, + 2.253703151763584e-05, + 2.2199475942620193e-05, + 2.187406033291524e-05, + 2.1559854398689725e-05, + 2.125591572845166e-05, + 2.0961296736079625e-05, + 2.0675052216400648e-05, + 2.0396247581541995e-05, + 2.0123967814900345e-05, + 1.985732713814705e-05, + 1.9595479340817833e-05, + 1.9337628673573616e-05, + 1.908304115719432e-05, + 1.8831056111910023e-05, + 1.858109766792319e-05, + 1.8332685979997198e-05, + 1.8085447838679254e-05, + 1.783912634975012e-05, + 1.7593589343192475e-05, + 1.7348836174318036e-05, + 1.7105002593246e-05, + 1.6862363384793612e-05, + 1.6621332518680738e-05, + 1.638246059896997e-05, + 1.6146429460647235e-05, + 1.591404382858943e-05, + 1.5686220027936767e-05, + 1.5463971812888474e-05, + 1.5248393460787277e-05, + 1.5040640357561854e-05, + 1.4841907376643168e-05, + 1.4653405423918307e-05, + 1.4476336583834263e-05, + 1.4311868354344148e-05, + 1.4161107499219094e-05, + 1.4025074073902977e-05, + 1.3904676194531459e-05, + 1.3800686118366066e-05, + 1.371371818754652e-05, + 1.364420915702503e-05, + 1.3592401382534089e-05, + 1.3558329286583236e-05, + 1.3541809451279277e-05, + 1.354243460804332e-05, + 1.3559571708144803e-05, + 1.359236416667983e-05, + 1.3639738278612613e-05, + 1.3700413711261366e-05, + 1.3772917885619511e-05, + 1.3855603971555728e-05, + 1.3946672141481202e-05, + 1.404419365555027e-05, + 1.4146137290650678e-05, + 1.4250397576812832e-05, + 1.4354824269349522e-05, + 1.4457252463785704e-05, + 1.4555532753819883e-05, + 1.4647560840155203e-05, + 1.4731306019642105e-05, + 1.4804838019013921e-05, + 1.4866351684457526e-05, + 1.4914189095925075e-05, + 1.4946858741781888e-05, + 1.496305146320999e-05, + 1.4961652956705304e-05, + 1.4941752704880805e-05, + 1.4902649288448497e-05, + 1.4843852113557003e-05, + 1.4765079666554446e-05, + 1.4666254480816687e-05, + 1.4547495065812817e-05, + 1.440910510559454e-05, + 1.4251560281192192e-05, + 1.4075493108076998e-05, + 1.388167620532824e-05, + 1.367100442717439e-05, + 1.3444476290234602e-05, + 1.3203175121461422e-05, + 1.2948250333158595e-05, + 1.2680899203466678e-05, + 1.2402349504543683e-05, + 1.211384327767418e-05, + 1.1816622006208599e-05, + 1.1511913385142442e-05, + 1.1200919831906426e-05, + 1.0884808828150634e-05, + 1.0564705128510161e-05, + 1.0241684820964605e-05, + 9.916771175744119e-06, + 9.590932176901263e-06, + 9.265079593579869e-06, + 8.940069417364456e-06, + 8.616703468360739e-06, + 8.295731956082023e-06, + 7.977856771820387e-06, + 7.663735286778e-06, + 7.3539844344431205e-06, + 7.049184865974533e-06, + 6.749884983019301e-06, + 6.456604672641718e-06, + 6.1698385930104375e-06, + 5.8900588852638994e-06, + 5.617717215616329e-06, + 5.353246081363517e-06, + 5.0970593441224596e-06, + 4.849551982580896e-06, + 4.6110990845093856e-06, + 4.382054123170499e-06, + 4.162746586013532e-06, + 3.953479043257959e-06, + 3.7545237603360383e-06, + 3.5661189709924245e-06, + 3.3884649370321203e-06, + 3.221719926274662e-06, + 3.0659962422945787e-06, + 2.921356438171226e-06, + 2.787809841951073e-06, + 2.6653095141122294e-06, + 2.5537497473193153e-06, + 2.452964206493783e-06, + 2.3627247930491257e-06, + 2.2827413014038987e-06, + 2.212661918945771e-06, + 2.1520746028294186e-06, + 2.1005093486991068e-06, + 2.0574413479711446e-06, + 2.022295012023609e-06, + 1.9944488238391446e-06, + 1.9732409606389965e-06, + 1.957975615128158e-06, + 1.947929928421908e-06, + 1.9423614348069546e-06, + 1.940515907448197e-06, + 1.9416354852029237e-06, + 1.944966954036721e-06, + 1.9497700523028614e-06, + 1.95532566746209e-06, + 1.960943792748473e-06, + 1.9659711158432203e-06, + 1.969798117759879e-06, + 1.9718655687688736e-06, + 1.971670319134357e-06, + 1.968770295478128e-06, + 1.962788628442786e-06, + 1.9534168536654217e-06, + 1.9404171455143793e-06, + 1.9236235611696606e-06, + 1.9029422910023709e-06, + 1.8783509293787549e-06, + 1.8498967975308213e-06, + 1.8176943665663913e-06, + 1.7819218436360887e-06, + 1.7428169973786311e-06, + 1.7006723097308174e-06, + 1.6558295497867458e-06, + 1.608673871468584e-06, + 1.5596275402586737e-06, + 1.5091433951528571e-06, + 1.4576981504239388e-06, + 1.4057856379074084e-06, + 1.3539100845856132e-06, + 1.302579512558942e-06, + 1.2522993394097917e-06, + 1.2035662468782192e-06, + 1.1568623750850602e-06, + 1.1126498886711528e-06, + 1.0713659505651456e-06, + 1.033418129014511e-06, + 9.991802543362696e-07, + 9.689887338308307e-07, + 9.431393266535424e-07, + 9.218843752797851e-07, + 9.054304865793509e-07, + 8.939366534066579e-07, + 8.875128069122419e-07, + 8.862187903174247e-07, + 8.900637464386482e-07, + 8.990059135236684e-07, + 9.129528266579195e-07, + 9.317619247866465e-07, + 9.552415659446593e-07, + 9.831524552721493e-07, + 1.0152094915315977e-06, + 1.0510840378807605e-06, + 1.0904066214081993e-06, + 1.132770063274965e-06, + 1.1777330371758632e-06, + 1.2248240482598882e-06, + 1.2735458177333205e-06, + 1.3233800502875706e-06, + 1.3737925524924325e-06, + 1.4242386606795907e-06, + 1.4741689269651197e-06, + 1.5230350023100867e-06, + 1.5702956463020512e-06, + 1.6154227850629712e-06, + 1.6579075317423962e-06, + 1.697266078796056e-06, + 1.7330453679886375e-06, + 1.7648284430413466e-06, + 1.7922393912427584e-06, + 1.814947784243888e-06, + 1.8326725346666422e-06, + 1.845185093979803e-06, + 1.8523119281604398e-06 + ], + "yaxis": "y" + }, + { + "legendgroup": "Text", + "marker": { + "color": "rgb(31, 119, 180)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "Text", + "showlegend": false, + "type": "scatter", + "x": [ + 68, + 768, + 550, + 513, + 121, + 26, + 2523, + 2219, + 148, + 50, + 321, + 144, + 43, + 1464, + 408, + 169, + 1653, + 149, + 288, + 843, + 82, + 1030, + 9, + 12, + 881, + 1177, + 735, + 2982, + 797, + 2447, + 44, + 570, + 776, + 82, + 101, + 143, + 100, + 374, + 1125, + 576, + 1162, + 356, + 586, + 113, + 594, + 86, + 581, + 91, + 447, + 1124, + 8, + 511, + 42, + 43, + 192, + 1974, + 1724, + 1750, + 47, + 699, + 549, + 205, + 302, + 812, + 151, + 215, + 28, + 3324, + 16, + 600, + 667, + 72, + 2056, + 689, + 53, + 801, + 43, + 25, + 277, + 218, + 104, + 17, + 1403, + 552, + 30, + 208, + 160, + 2664, + 885, + 363, + 45, + 607, + 569, + 743, + 810, + 196, + 885, + 252, + 355, + 87, + 1162, + 1571, + 22, + 64, + 1384, + 50, + 96, + 155, + 638, + 150, + 111, + 1450, + 1018, + 76, + 177, + 484, + 2392, + 732, + 633, + 2083, + 316, + 138, + 3066, + 88, + 39, + 995, + 23, + 1888, + 76, + 77, + 55, + 233, + 125, + 797, + 134, + 364, + 80, + 386, + 17, + 132, + 2407, + 420, + 1074, + 164, + 2072, + 62, + 262, + 211, + 81, + 104, + 157, + 681, + 135, + 183, + 106, + 11, + 3703, + 463, + 126, + 37, + 45, + 247, + 148, + 90, + 25, + 387, + 148, + 268, + 132, + 65, + 2525, + 22, + 47, + 159, + 1266, + 1460, + 156, + 3295, + 334, + 603, + 18, + 2230, + 193, + 1174, + 536, + 750, + 587, + 2301, + 1326, + 32, + 369, + 200, + 302, + 705, + 33, + 18, + 2612, + 73, + 256, + 879, + 423, + 1415, + 411, + 326, + 678, + 67, + 30, + 120, + 1522, + 95, + 136, + 1336, + 67, + 124, + 1165, + 86, + 31, + 96, + 1580, + 132, + 537, + 199, + 230, + 476, + 51, + 454, + 81, + 306, + 2114, + 2482, + 155, + 598, + 13, + 38, + 220, + 247, + 2596, + 412, + 199, + 777, + 606, + 1494, + 112, + 2961, + 291, + 963, + 147, + 31, + 66, + 1659, + 685, + 9, + 943, + 469, + 795, + 153, + 436, + 167, + 1129, + 54, + 1127, + 237, + 313, + 150, + 54, + 2691, + 13, + 118, + 100, + 1697, + 2450, + 1129, + 175, + 56, + 77, + 269, + 37, + 788, + 58, + 148, + 583, + 781, + 94, + 64, + 275, + 908, + 139, + 19, + 169, + 45, + 609, + 3766, + 539, + 2488, + 274, + 3702, + 22, + 2717, + 65, + 146, + 593, + 1232, + 62, + 1610, + 1720, + 24, + 45, + 13, + 395, + 154, + 17, + 1424, + 518, + 14, + 475, + 617, + 185, + 70, + 85, + 618, + 1221, + 88, + 120, + 14, + 95, + 574, + 13, + 20, + 142, + 971, + 4557, + 571, + 35, + 103, + 598, + 24, + 40, + 1368, + 74, + 1597, + 1259, + 143, + 609, + 764, + 343, + 20, + 141, + 731, + 405, + 932, + 244, + 1349, + 1241, + 631, + 2239, + 181, + 895, + 181, + 1111, + 1002, + 98, + 56, + 537, + 1599, + 18, + 885, + 525, + 86, + 861, + 18, + 333, + 805, + 44, + 80, + 579, + 3560, + 161, + 18, + 904, + 135, + 1028, + 270, + 69, + 64, + 757, + 187, + 366, + 122, + 198, + 124, + 541, + 288, + 153, + 136, + 508, + 1161, + 914, + 165, + 55, + 866, + 420, + 1614, + 245, + 1837, + 64, + 1140, + 57, + 96, + 59, + 93, + 54, + 81, + 649, + 1174, + 89, + 68, + 116, + 196, + 190, + 3293, + 133, + 69, + 138, + 258, + 575, + 111, + 317, + 109, + 46, + 1284, + 2398, + 103, + 184, + 26, + 205, + 235, + 117, + 888, + 1525, + 229, + 1440, + 88, + 999, + 364, + 866, + 821, + 50, + 100, + 45, + 80, + 143, + 88, + 2062, + 1989, + 30, + 1192, + 1236, + 451, + 304, + 987, + 511, + 143, + 1118, + 382, + 1027, + 39, + 857, + 1025, + 1247, + 855, + 56, + 1783, + 836, + 140, + 62, + 1474, + 361, + 189, + 83, + 145, + 138, + 174, + 170, + 755, + 741, + 349, + 637, + 47, + 35, + 1551, + 75, + 134, + 1891, + 1728, + 206, + 230, + 1145, + 547, + 509, + 213, + 1649, + 3991, + 239, + 167, + 17, + 1287, + 36, + 189, + 23, + 38, + 1268, + 143, + 605, + 772, + 146, + 565, + 167, + 34, + 631, + 2455, + 125, + 1819, + 44, + 884, + 345, + 299, + 146, + 215, + 26, + 441, + 326, + 838, + 2698, + 789, + 322, + 86, + 1674, + 970, + 624, + 2596, + 345, + 780, + 126, + 172, + 199, + 103, + 476, + 129, + 552, + 223, + 985, + 1317, + 159, + 484, + 1091, + 140, + 177, + 467, + 633, + 100, + 3209, + 72, + 3811, + 1141, + 40, + 164, + 56, + 134, + 833, + 406, + 607, + 473, + 104, + 17, + 612, + 85, + 141, + 72, + 1965, + 1404, + 439, + 479, + 66, + 2062, + 81, + 159, + 73, + 93, + 20, + 28, + 56, + 517, + 150, + 17, + 168, + 1608, + 236, + 1356, + 369, + 181, + 43, + 168, + 184, + 53, + 636, + 146, + 2721, + 62, + 76, + 158, + 137, + 69, + 51, + 615, + 12, + 153, + 135, + 518, + 688, + 142, + 4, + 130, + 601, + 1288, + 162, + 34, + 744, + 1243, + 1426, + 390, + 769, + 219, + 272, + 42, + 367, + 12, + 1256, + 134, + 564, + 1195, + 47, + 151, + 231, + 557, + 158, + 88, + 60, + 141, + 45, + 649, + 59, + 72, + 154, + 38, + 236, + 86, + 64, + 139, + 54, + 172, + 425, + 1650, + 91, + 3687, + 549, + 1114, + 103, + 1330, + 1404, + 1150, + 106, + 2315, + 326, + 558, + 62, + 552, + 80, + 984, + 208, + 18, + 11, + 208, + 491, + 190, + 59, + 898, + 650, + 20, + 437, + 712, + 596, + 247, + 1080, + 419, + 615, + 445, + 26, + 369, + 50, + 163, + 18, + 56, + 166, + 57, + 93, + 2917, + 29, + 2204, + 56, + 2488, + 1264, + 105, + 45, + 2908, + 1157, + 407, + 30, + 125, + 117, + 1975, + 96, + 1286, + 874, + 143, + 302, + 180, + 1890, + 662, + 204, + 413, + 67, + 532, + 11, + 107, + 22, + 301, + 1113, + 7, + 2747, + 190, + 218, + 187, + 2650, + 2374, + 128, + 578, + 1203, + 3345, + 270, + 637, + 1653, + 941, + 712, + 244, + 4085, + 71, + 72, + 1276, + 576, + 95, + 68, + 69, + 34, + 816, + 651, + 40, + 75, + 397, + 38, + 5184, + 2198, + 352, + 95, + 336, + 1402, + 533, + 2318, + 548, + 552, + 1259, + 278, + 192, + 788, + 151, + 118, + 942, + 1105, + 174, + 858, + 138, + 1439, + 93, + 1229, + 1653, + 2640, + 679, + 218, + 167, + 193, + 2316, + 275, + 2506, + 89, + 1920, + 1115, + 166, + 908, + 153, + 2466, + 47, + 80, + 796, + 286, + 33, + 482, + 119, + 76, + 2066, + 63, + 115, + 476, + 391, + 178, + 73, + 83, + 487, + 141, + 128, + 68, + 64, + 55, + 50, + 223, + 190, + 34, + 28, + 2116, + 633, + 1080, + 145, + 564, + 43, + 504, + 45, + 136, + 2117, + 1062, + 2046, + 2366, + 182, + 134, + 6, + 470, + 752, + 803, + 241, + 13, + 91, + 66, + 136, + 668, + 38, + 1012, + 461, + 333, + 45, + 62, + 200, + 484, + 1081, + 838, + 153, + 1047, + 68, + 3235, + 21, + 725, + 137, + 164, + 1094, + 1129, + 148, + 970, + 144, + 2513, + 208, + 143, + 594, + 72, + 481, + 2912, + 26, + 169, + 1266, + 1004, + 355, + 1240, + 1250, + 38, + 39, + 62, + 268, + 1063, + 32, + 110, + 142, + 501, + 231, + 584, + 2721, + 1852, + 339, + 885, + 350, + 138, + 197, + 54, + 173, + 112, + 17, + 1656, + 2085, + 903, + 68, + 45, + 46, + 325, + 679, + 176, + 2062, + 151, + 111, + 597, + 96, + 1545, + 1009, + 635, + 204, + 1609, + 2796, + 42, + 69, + 1470, + 47, + 286, + 1080, + 32, + 666, + 45, + 174, + 82, + 131, + 481, + 190, + 526, + 1607, + 880, + 1999, + 758, + 142, + 55, + 176, + 885, + 3688, + 1403, + 123, + 81, + 743, + 63, + 1697, + 97, + 497, + 89, + 36, + 31, + 968, + 15, + 1144, + 116, + 489, + 43, + 11, + 24, + 78, + 3060, + 108, + 89, + 184, + 1420, + 543, + 649, + 17, + 151, + 1465, + 649, + 461, + 566, + 1178, + 597, + 349, + 508, + 313, + 78, + 499, + 13, + 77, + 1521, + 1599, + 120, + 146, + 46, + 93, + 77, + 345, + 842, + 885, + 30, + 287, + 2175, + 86, + 1222, + 17, + 776, + 246, + 3069, + 1167, + 500, + 1082, + 36, + 68, + 575, + 771, + 260, + 70, + 1314, + 1336, + 141, + 123, + 85, + 2210, + 714, + 1210, + 631, + 1703, + 213, + 69, + 32, + 62, + 1505, + 649, + 23, + 962, + 152, + 345, + 933, + 572, + 194, + 1382, + 180, + 2766, + 57, + 102, + 1000, + 25, + 55, + 52, + 153, + 248, + 3887, + 55, + 55, + 82, + 1151, + 42, + 2484, + 185, + 928, + 73, + 972, + 2257, + 264, + 1312, + 101, + 1161, + 170, + 54, + 226, + 1506, + 56, + 574, + 40, + 252, + 1812, + 1214, + 87, + 88, + 240, + 72, + 743, + 95, + 107, + 91, + 339, + 41, + 78, + 88, + 821, + 91, + 208, + 48, + 151, + 384, + 118, + 59, + 489, + 28, + 13, + 82, + 186, + 32, + 48, + 33, + 198, + 644, + 80, + 215, + 756, + 295, + 182, + 122, + 1176, + 7, + 192, + 325, + 825, + 179, + 206, + 1735, + 174, + 91, + 25, + 977, + 18, + 309, + 462, + 19, + 17, + 300, + 155, + 749, + 72, + 110, + 1324, + 192, + 240, + 1089, + 100, + 1002, + 763, + 27, + 1659, + 606, + 1524, + 56 + ], + "xaxis": "x", + "y": [ + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text", + "Text" + ], + "yaxis": "y2" + } + ], + "layout": { + "barmode": "overlay", + "hovermode": "closest", + "legend": { + "traceorder": "reversed" + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "Distribution of article length" + }, + "xaxis": { + "anchor": "y2", + "domain": [ + 0, + 1 + ], + "zeroline": false + }, + "yaxis": { + "anchor": "free", + "domain": [ + 0.35, + 1 + ], + "position": 0 + }, + "yaxis2": { + "anchor": "x", + "domain": [ + 0, + 0.25 + ], + "dtick": 1, + "showticklabels": false + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "df['polarity'] = df['text'].map(lambda text: TextBlob(text).sentiment.polarity)\n", + "\n", + "def text_len(x):\n", + " if type(x) is str:\n", + " return len(x.split())\n", + " else:\n", + " return 0\n", + "\n", + "df['text_len'] = df['text'].apply(text_len)\n", + "nums_text = df.query('text_len > 0')['text_len']\n", + "\n", + "fig = ff.create_distplot(hist_data = [nums_text], group_labels = ['Text'])\n", + "fig.update_layout(title_text='Distribution of article length', template=\"plotly_white\")\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "label\n", + "FAKE 0.70\n", + "TRUE 0.55\n", + "Name: polarity, dtype: float64" + ] + }, + "execution_count": 10, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.groupby('label').polarity.max()" + ] + }, + { + "cell_type": "code", + "execution_count": 11, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "label\n", + "FAKE -0.6\n", + "TRUE -0.6\n", + "Name: polarity, dtype: float64" + ] + }, + "execution_count": 11, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.groupby('label').polarity.min()" + ] + }, + { + "cell_type": "code", + "execution_count": 12, + "metadata": {}, + "outputs": [ + { + "data": { + "text/html": [ + "
\n", + "\n", + "\n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + "
polaritytext_len
source
RudyGiuliani0.55000042.0
https://onenewsnow.com/0.357553700.0
JoanneWrightForCongress0.35000020.0
jimhumble.co0.27500056.0
https://www.thelastamericanvagabond.com/0.26666774.0
.........
Sputnik Czech-0.15000095.0
https://www.theatlantic.com/-0.1500007.0
https://www.vaccinationinformationnetwork.com/-0.21600057.0
https://www.hln.be/-0.30000098.0
Manik-0.60000047.0
\n", + "

268 rows × 2 columns

\n", + "
" + ], + "text/plain": [ + " polarity text_len\n", + "source \n", + "RudyGiuliani 0.550000 42.0\n", + "https://onenewsnow.com/ 0.357553 700.0\n", + "JoanneWrightForCongress 0.350000 20.0\n", + "jimhumble.co 0.275000 56.0\n", + "https://www.thelastamericanvagabond.com/ 0.266667 74.0\n", + "... ... ...\n", + "Sputnik Czech -0.150000 95.0\n", + "https://www.theatlantic.com/ -0.150000 7.0\n", + "https://www.vaccinationinformationnetwork.com/ -0.216000 57.0\n", + "https://www.hln.be/ -0.300000 98.0\n", + "Manik -0.600000 47.0\n", + "\n", + "[268 rows x 2 columns]" + ] + }, + "execution_count": 12, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.groupby(['source']).mean().sort_values('polarity', ascending=False)" + ] + }, + { + "cell_type": "code", + "execution_count": 15, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "'hydroxychloroquine has been shown to have a 100 effective rate treating covid19 yet democrat gretchen whitmer is threatening doctors who prescribe it if trump is for something democrats are against it they are okay with people dying if it means opposing trump'" + ] + }, + "execution_count": 15, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.loc[df['source'] == 'RudyGiuliani']['text'][52]" + ] + }, + { + "cell_type": "code", + "execution_count": 52, + "metadata": {}, + "outputs": [ + { + "data": { + "text/plain": [ + "'read a 2015 article in nature magazine about experiments in the united states on bat coronavirus and sars that are potentially dangerous to humans it looks like an attempt to kill two birds with one stone attack china and get rid of the elderly that is pensioners'" + ] + }, + "execution_count": 52, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "df.loc[df['source'] == 'Manik']['text'][348]" + ] + }, + { + "cell_type": "code", + "execution_count": 23, + "metadata": {}, + "outputs": [], + "source": [ + "# fig = px.histogram(df, x=\"text_len\", y=\"text\", color=\"label\",\n", + "# marginal=\"box\",\n", + "# hover_data=df.columns, nbins=100)\n", + "# fig.update_layout(title_text='Distribution of article length', template=\"plotly_white\")\n", + "# fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 21, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "customdata": [ + [ + "How long does it take to recover?", + "it takes anything up to six weeks to recover from this disease said dr michael ryan of the world health organization\npeople who suffer very severe illness can take months to recover from the illnessrecovery is often marked by a patient no longer showing symptoms and having two consecutive negative tests at least one day apart ryan said but there is no known cure for the novel coronavirus", + "https://www.cnn.com/", + "TRUE", + -0.07499999999999998, + 68 + ], + [ + "Coronavirus symptoms: What are they and how do I protect myself?", + "what are the coronavirus symptomscoronavirus infects the lungs the two main symptoms are a fever or a dry cough which can sometimes lead to breathing problemsthe cough to look out for is a new continuous cough this means coughing a lot for more than an hour or having three or more coughing episodes in 24 hours if you usually have a cough it may be worse than usualyou have a fever if your temperature is above 378c this can make you feel warm cold or shiverya sore throat headache and diarrhoea have also been reported and a loss of smell and taste may also be a symptomit takes five days on average to start showing the symptoms but some people will get them much later the world health organization who says the incubation period lasts up to 14 dayson 18 april the uss centers for disease control and prevention cdc updated its list of symptoms to look out for to includechills repeated shaking with chills muscle pain headachesore throat new loss of taste or smell previously it only detailed a fever cough and shortness of breathwhen do people need to go to hospitalthe majority of people with coronavirus will recover after rest and pain relief such as paracetamolthe main reason people need hospital treatment is difficulty breathingdoctors may scan the lungs to see how badly they are affected and give support such as oxygen or ventilation if neededhowever people should not go to ae if they are concerned in the uk the nhs 111 website will guide you through what to doif you are so breathless that you are unable to speak more than a few words you will be told to call 999 as this is a medical emergencyif you become so ill that youve stopped doing all of your usual daily activities then it will advise speaking to a nurse by dialling nhs 111how do ventilators workwhat is an intensive care unitcan i get testedwhat happens in intensive careintensive care units icus are specialist wards for people who are very illcoronavirus patients will get oxygen support which can involve using a facemask or a tube in the nosethe most invasive way for the most seriously ill patients is ventilation where air with increased levels of oxygen is pushed into the lungs via a tube in the mouth nose or through a small cut in the throatwhat should i do if i have mild symptomspatients with mild symptoms should selfisolate at home for at least seven dayspeople are advised not to ring nhs 111 to report their symptoms unless they are worried they should also not go to their gp or aedetails for scotland are to check nhs inform then ring your gp in office hours or 111 outofhours in wales call nhs 111 and in northern ireland call your gp\nif you have come into contact with somebody who may be infected you may be told to selfisolatethe world health organization has also issued advice for the publichow deadly is coronavirusthe proportion dying from the disease appears low between 1 and 2 but the figures are unreliablecoronavirus death rate what are the chances of dyingthousands are being treated but may go on to die so the death rate could be higher but it may also be lower if lots of mild cases are unreporteda world health organization who examination of data from 56000 patients suggests6 become critically ill lung failure septic shock organ failure and risk of death 14 develop severe symptoms difficulty breathing and shortness of breath 80 develop mild symptoms fever and cough and some may have pneumonia older people and those with preexisting medical conditions such as asthma diabetes heart disease high blood pressure are more likely to become severely ill men are at slightly higher risk of dying from the virus than womenwork to develop a vaccine is under wayhow do i protect myselfthe best thing is regular and thorough hand washing preferably with soap and watercoronavirus spreads when an infected person coughs or sneezes small droplets packed with the virus into the air these can be breathed in or cause an infection if you touch a surface they have landed on then your eyes nose or mouthso coughing and sneezing into tissues not touching your face with unwashed hands and avoiding close contact with infected people are important\npeople will be most infectious when they have symptoms but some may spread the virus even before they are sickface masks do not provide effective protection according to medical experts however the who is reexamining whether the public might benefit from using them\n\n", + "https://www.bbc.com/", + "TRUE", + 0.041797637390857734, + 768 + ], + [ + "Trending Science: Why has ‘flatten the curve’ become the public health mantra in the global fight against coronavirus?", + "flatten the curve essentially means to spread out the projected number of new cases over a longer period so that people have better access to healthcare this is why more and more countries are urging social distancing and even imposing lockdowns to contain the spread for dr howard markel the american physician and medical historian who helped coin flatten the curve the term is part of his vocabulary from world leaders to teens people have only been using it for a couple of weeks an outbreak anywhere can go everywhere he told michigan medicine a university of michigan blog that features health news and wellness tips we all need to pitch in to try to prevent cases both within ourselves and in our communities flatten it like china south korea by february the epidemic had spread wildly in wuhan china medical personnel didnt know what they were up against hospitals were overburdened as a result social distancing measures were taken only when it was too late the diseases curve a graph representing the quick spike in infections was steep china and south korea have managed to flatten the curve by implementing severe community isolation measures keeping daily cases at a controllable level for the medical community the flatter the curve the lesser the strain on medical systems thus minimising the chances of overwhelming them because the infection curve rose so fast in italy the healthcare system couldnt cope with all the new cases apparently the country is starting to slightly bend the curve with lower daytoday cases being recorded a flatter curve assumes the same number of people eventually get infected but over a longer period germany is one european country thats managing to flatten the curve on 23 march public health chief prof dr lothar wieler told reuters that the infection curve could be flattening off because of measures already having a positive effect germany is behind only italy and spain in total covid19 cases in europe buying time recently the world health organization who has been stressing the importance of flattening the curve who continues to call on all countries to implement a comprehensive approach with the aim of slowing down transmission and flattening the curve said directorgeneral dr tedros adhanom ghebreyesus at a media briefing on 18 march this approach is saving lives and buying time for the development of vaccines and treatments if you dont have as many cases coming to the hospitals and clinics at once it can actually lower the number of total deaths from the virus and from other causes dr markel continued in the blog and importantly it buys us time for university and government scientists and industry to create new therapies medications and potentially a vaccine coronavirus is a socially transmitted disease and we all have a social contract to stop it concluded dr markel what binds us is a microbe but it also has the power to separate us were a very small community whether we acknowledge it or not and this proves it the time to act like a community is now", + "/cordis.europa.eu", + "TRUE", + 0.08219148001756696, + 513 + ], + [ + "When does an outbreak become a pandemic?", + "the word pandemic literally means all people in greek but clearly not all people become sick even in the worst pandemics epidemiologists typically mean an infectious disease epidemic that has spread or is spreading globallyusually we refer to a pandemic only when it involves a new disease so for example we talk about an influenza pandemic when there is a new strain of flu spreading around the world in contrast we do not refer to the global outbreak of seasonal influenza as a pandemic because the strains are not new\nthere is no strict definition of when an epidemic becomes a pandemicbut usually it means that the disease is actively spreading on several continents with likely continued spread to other continents", + "https://www.globalhealthnow.org/", + "TRUE", + -0.15870490620490624, + 121 + ], + [ + "How long does it take after exposure to COVID-19 to develop symptoms?", + "the time between exposure to covid19 and the moment when symptoms start is commonly around five to six days but can range from 1 14 days", + "https://www.who.int/", + "TRUE", + -0.3, + 26 + ], + [ + "Can my kids go and play with friends?", + "it really is best to limit interactions as much as we can and arranging play dates is generally not a good idea every time we get together with another person were not just exposed to each otherwere also exposed to all of the other people that they have come into contact with if you really need the help arrange play dates safely by asking your friends and family to keep their circle of contacts small as a guideline keep play dates between no more than 2 families i have a 1yearold and im trying to go for lots of walks with him we go to the park but we dont play on the equipment any longerinstead i let him run around in the field as much as he wants we keep our distance from other people but we say hello from afar and kick a ball around instead ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.1, + 148 + ], + [ + "There are currently no drugs licensed for the treatment or prevention of COVID-19", + "while several drug trials are ongoing there is currently no proof that hydroxychloroquine or any other drug can cure or prevent covid19 the misuse of hydroxychloroquine can cause serious side effects and illness and even lead to death who is coordinating efforts to develop and evaluate medicines to treat covid19", + "https://www.who.int/", + "TRUE", + -0.11458333333333333, + 50 + ], + [ + "What’s the best way to respond to the coronavirus outbreak?", + "early in a coronavirus outbreak unknowns are a given but the global health community cant afford to wait to see if a best or worstcase scenario unfolds some posthaste prioritiesvaccine development make this is a top priority vaccines can dramatically slow disease spread though they can take at least a year to develop plans for largescale production at different sites worldwide are also neededfind treatments test possible antiviralssuch as flu and hiv medicationsfor treatment optionsexpand diagnostic capacity manufacture and distribute rapid diagnostic kits so cases can be identified quicklyboost hospital readiness strengthen infection control procedures train health workers and keep masks gowns and gloves stockedcommunicate share facts and unknowns clearly with the public and resist the temptation to withhold bad newsif the virus is ultimately less lethal than feared or more easily contained the extra effort will pay off when the next one strikes", + "https://www.globalhealthnow.org/", + "TRUE", + 0.07291666666666669, + 144 + ], + [ + "Contact tracing 101: How it works, who could get hired, and why it's so critical in fighting coronavirus now", + "without contact tracing a pandemic could get much worse thousands of americans could soon join the ranks of disease detectives in one of the most important battles against coronaviruscontact tracing has helped slow or stop previous epidemics such as the sars and ebola outbreaks but its never been more critical or more challenging than in this fight against coronavirusheres how contact tracing works and how it can employ americans who were recently laid offwhat exactly is contact tracingcontact tracing tracks down anyone who might have been infected by a person who was recently diagnosed so those contacts can quarantine themselves and prevent further spreadin contact tracing public health staff work with a patient to help them recall everyone with whom they have had close contact during the timeframe while they may have been infectious the centers for disease control and prevention saidcontacts are provided with education information and support to understand their risk what they should do to separate themselves from others who are not exposed monitor themselves for illness and the possibility that they could spread the infection to others even if they themselves do not feel illits an arduous task but contact tracing has been credited with helping stop the sars epidemic in 2004but immediate action is needed the cdc said communities must scale up and train a large contact tracer workforce and work collaboratively across public and private agencies to stop the transmission of covid19 the disease caused by novel coronaviruswhy is contact tracing so critical right now\nresearchers say the us or really any country cant safely reopen without significant amounts of contact tracing and testing\nwithout them were going to be at risk of resurgence of this disease not just in the fall but going into next year said josh michaud associate director of global health policy at the kaiser family foundationhow does the process workcoronavirus survivor amy driscoll got a call from her county health department two hours after she got home from the hospitala long list of questions followed who have i seen in the last two weeks where was i in the last two weeks who was i in contact with where do i work driscoll recalled\nafter that her coworkers in ohio had to be contacted so did a restaurant where she had gone for lunch and a hair salon that she had visited and also those who sat near her at a cleveland cavaliers gamebut when contacts are notified they arent told who was diagnosed with coronavirusto protect patient privacy contacts are only informed that they may have been exposed to a patient with the infection the cdc says they are not told the identity of the patient who may have exposed themhow do people get notifiedcontact tracers use a variety of methods including phone calls emails and social media messagingsome places are getting creative in north dakota health officials partnered with the creator of an app used to track bison to launch a new app called care19those who download care19 will get a random id number and the app will anonymously cache the individuals locations throughout the day the north dakota coronavirus response website saysif an individual tests positive for covid19 they will be given the opportunity to consent to provide their information to the nddoh to help in contact tracing and forecasting the pandemics progression with accurate realtime dataapple and google are developing new contact tracing technology using smartphones and bluetooth technology to alert those who may have been close to someone infectedbut there are limitations to that new technology users would have to optin and its not clear whether enough people will do so to make the effort worthwhile and people without smartphones would not get notifiedhow many contact tracers are therethe total number of existing disease detectives in the united states was only 2200 before the coronavirus outbreak said david harvey executive director of the national coalition of std directorsabout 1600 of those disease detectives are members of the coalition which is funded by the cdc and typically combats the spread of sexually transmitted diseasesbut most of them have been redeployed to do contact tracing for coronavirus harvey saidany time theres an infectious disease outbreak they get redeployed to zika ebola foodborne illness outbreaks harvey said this is an essential public health workforcedo we have enough contact tracersno a study released by johns hopkins university estimates the us needs at least 100000 additional public health workers to help with contact tracingand that might be a low estimate said anita cicero deputy director at the johns hopkins center for health security and a coauthor of the study she said the us will likely need more than 100000 but thats a good start to help the more heavily impacted areasformer cdc director dr tom frieden said the us could need several hundred thousand contact tracersthe problem both state public health and county local public health do not have the resources or the people that are needed to be able to do contact tracing for all identified cases cicero saidbut funding from the cares act is expected to pay for thousands more contact tracers harvey said that could help some of the many americans laid off during the coronavirus pandemichow do i apply to become a contact tracerapplicants can go to contraceorg to submit their informationcontrace public health corps is a national database of over 50000 qualified contact tracer applicants founder and ceo steve waters saidthe information is shared with organizations hiring contact tracing teams throughout the usharvey said you can also check your state health departments website and the cdc foundations website for contact tracing job opportunitieswhat education do you need to be a contact tracerit is helpful to have a public health or health care background harvey said fluency in multiple languages is also a plusbut no matter what your background you can be trained to do this work harvey saiddifferent state or local health departments might have different requirements the cdc foundations job posting requires a bachelors degree for contact tracing candidateshow much do contact tracers get paidcontact tracers are not paid enough harvey said the average salary in the united states is 35000 a yearbut it is not yet clear how much newly hired contact tracers will make in different parts of the countrywhat do contact tracers say to those who might have been exposedsensitivity is important since its not easy for people to hear they might have been infected with coronavirus harvey saida person will typically be told you may have been exposed we recommend that you isolate for the next 14 days heres where you can get a test what questions can i answer for you tell me folks that youve had sustained closed proximity with and together well work to notify these people he said\nwhos leading contact tracing across the ustheres no central agency overseeing all the contact tracing rather its a mix of state and local health departments nonprofits private entities and universitiesone of the biggest programs involves new york state new jersey connecticut johns hopkins bloomberg school of public health the resolve to save lives initiative and bloomberg philanthropies which has committed 105 million to a new contact tracing programin massachusetts the bostonbased nonprofit partners in health is partnering with the state health department to boost contact tracingand in san francisco the public health department has partnered with the university of california san francisco and dimagi a company working with the cdc to digitize workflow and monitoringwhy is contact tracing for coronavirus so difficultthis novel coronavirus is highly contagious about twice as contagious as the flu when theres no social distancing orders the johns hopkins study estimates each person with coronavirus infects another two or three other people making it very difficult to find everyone who could be infected\nthis coronavirus can also be spread by asymptomatic people who dont look or feel sick meaning there are carriers who might not even know theyre infected\nand unlike contact tracing for other types of diseases covid19 is a respiratory illness so contact tracers cant knock on peoples doors the same way they might have done with other outbreaks harvey saiddoes contact tracing actually helpwithout a doubt contact tracing works harvey saidsome of the most successful countries in the fight against coronavirus have used widespread contact tracing by quickly identifying contacts those who might be infected were able to quarantine themselves and avoid spreading the virus to others\nthis is a strategy that goes handinhand with economic recovery and reducing the isolation recommendations that are currently in place harvey said\nonce people start coming out of their homes and returning to work and resuming aspects of a normal life thats where this function is essential to measure outbreaks and warn people so we can intervene", + "https://www.cnn.com/", + "TRUE", + 0.08754741290455577, + 1464 + ], + [ + "Can I catch COVID-19 from my pet?", + "several dogs and cats domestic cats and a tiger in contact with infected humans have tested positive for covid19 in addition ferrets appear to be susceptible to the infection in experimental conditions both cats and ferrets were able to transmit infection to other animals of the same species but there is no evidence that these animals can transmit the disease to human and play a role in spreading covid19 covid19 is mainly spread through droplets produced when an infected person coughs sneezes or speaksit is still recommended that people who are sick with covid19 and people who are at risk limit contact with companion and other animals when handling and caring for animals basic hygiene measures should always be implemented this includes hand washing after handling animals their food or supplies as well as avoiding kissing licking or sharing foodmore recommendations are available on the oie website httpswwwoieintenscientificexpertisespecificinformationandrecommendationsquestionsandanswerson2019novelcoronavirus who continues to monitor the latest research on this and other covid19 topics and will update as new findings are available", + "https://www.who.int/", + "TRUE", + 0.07888337153043035, + 169 + ], + [ + "While the EU aims to work cooperatively and constructively with its neighbours, we will always disclose harmful disinformation and its sources.", + "disinformation hurts your ability to make good decisions often it does so by trying to overwhelm you with conflicting information making you unsure what you believe the consequences can be serious threats to peoples safety damaging trust in governments and media undermining our global influence and more we are particularly vulnerable to disinformation in moments of stress and high emotion and some people are using covid19 to strike when we are at our most vulnerable\n\nour analysts at euvsdisinfo find that false claims are being circulated to spread confusion and mistrust around europes response to covid19 it is no secret that some of this originates in russia the best response is to call out lies identify those responsible and tell the truth ourselves early and often the european commission the european parliament and the eeas work to identify and raise awareness about the spread of disinformation on the virus", + "https://ec.europa.eu/", + "TRUE", + 0.10844444444444444, + 149 + ], + [ + "Experts dismiss claims that 5G wireless technology created the novel coronavirus", + "numerous conspiracy theories shared on and off social media claim that 5g mobile networks are the cause of the novel coronavirus pandemic this is false experts told afp that 5g is based on radio frequency and that this does not create viruses in one of the most widespread claims popular american singer keri hilson asserted that coronavirus is caused by fifthgeneration wireless technology known as 5g in a series of nowdeleted tweets on march 16 2020 archived here hilson claimed covid19 was not as widespread in africa because of the absence of 5g people have been trying to warn us about 5g for years petitions organizations studieswhat were going through is the effects of radiation 5g launched in china nov 1 2019 people dropped dead she wrote turn off 5g by disabling lte why do you think the virus is not happening in africa like that not a 5g region there may be a few bases there but not as prevalent as other countries it has nothing to do with melanin hilson shared a viral youtube video in which controversial american doctor thomas cowan who remains on probation imposed by the medical board of california argued that the novel coronavirus was created by 5g networks in his video cowan claimed that wuhan the city where the novel coronavirus outbreak began was the first city wholly covered by 5g in the world cowan and others who believe his theory claim that china launched 5g in october 2019 two months before the outbreak started some of these claims about 5g causing novel coronavirus have been made in facebook posts shared hundreds of times like here and here 5g coverage experts differ on which country leads in the commercial use of 5g but agree that the top nations are china south korea the first to launch in 2019 the united kingdom and the united states in late october 2019 china rolled out the commercial use of 5g in 50 cities not only did the novel coronavirus not get its start in pioneering south korea but the virus has gained a foothold in many countries for example malaysia iran france singapore and nigeria without 5g networks 5g does not cause viruses while there have been health concerns regarding the use of 5g networks and mobile networks in general owing to radiation this has nothing to do with the outbreak of viruses experts told afp speaking to keri hilsons claims yusuf sambo a researcher at the university of glasgow who is testing 5g in scotland said i think shes an amazing singer but i am not sure she knows what shes talking about yes there are fears about the health implications of 5g but they have to do with cancer and not viral infections one of her tweets actually advised people to turn off 5g by disabling lte she is literally saying turn off 5g by disabling 4g said sambo fabien heliot a researcher who specialises in electromagnetic exposure in wireless communication at the university of surrey explained 5g like previous generations of cellular communication systems is a rfbased radiofrequency technology that uses electromagnetic em waveform to transmit information emwaveforms are themselves nonionizing radiations heliot said the waveforms in 5g are designed and transmitted similarly to 4g the main and only difference so far is that 5g can transmit more data by using larger frequency bandwidth at higher carrier frequency and directivity of antennas at the base station being a living thing a virus cannot be created by radiation added heliot actually it is the other way round there are guidelines put in place to ensure that radiation does not harm living things 5g and health heliot said that the possible sideeffects of 5g are the same as 4g 3g 2g wifi all these wireless communication technologies use em waveform that radiates energy he said 5g radiations are not as severe as ct scan or xray technologies which are used in medical care the world health organizations website states that a large number of studies have been performed over the last two decades to assess whether mobile phones pose a potential health risk to date no adverse health effects have been established as being caused by mobile phone use regarding 5g the who states healthrelated conclusions are drawn from studies performed across the entire radio spectrum but so far only a few studies have been carried out at the frequencies to be used by 5g tissue heating is the main mechanism of interaction between radiofrequency fields and the human body radiofrequency exposure levels from current technologies result in negligible temperature rise in the human body as the frequency increases there is less penetration into the body tissues and absorption of the energy becomes more confined to the surface of the body skin and eye provided that the overall exposure remains below international guidelines no consequences for public health are anticipatedsome countries are remaining cautious in late january frances agency for health and safety highlighted a need for more data before 5g could be rolled out in the country ", + "https://factcheck.afp.com/", + "TRUE", + 0.049743431855500814, + 843 + ], + [ + "Why the Coronavirus Seems to Hit Men Harder Than Women", + "the coronavirus that originated in china has spread fear and anxiety around the world but while the novel virus has largely spared one vulnerable group children it appears to pose a particular threat to middleaged and older adults particularly men\n\nthis week the chinese center for disease control and prevention published the largest analysis of coronavirus cases to date although men and women have been infected in roughly equal numbers researchers found the death rate among men was 28 percent compared with 17 percent among women\n\nthe figures were drawn from patient medical records and the sample may not fully reflect the scope of the outbreak but the disparity has been seen in the past men also were disproportionately affected during the sars and mers outbreaks which were caused by coronaviruses more women than men were infected by sars in hong kong in 2003 but the death rate among men was 50 percent higher according to a study published in the annals of internal medicinesome 32 percent of men infected with middle east respiratory syndrome died compared with 258 percent of women young adult men also died at higher rates than female peers during the influenza epidemic of 1918\n\na number of factors may be working against men in the current epidemic scientists say including some that are biological and some that are rooted in lifestylewhen it comes to mounting an immune response against infections men are the weaker sex\n\nthis is a pattern weve seen with many viral infections of the respiratory tract men can have worse outcomes said sabra klein a scientist who studies sex differences in viral infections and vaccination responses at the johns hopkins bloomberg school of public health\n\nweve seen this with other viruses women fight them off better she added\n\nwomen also produce stronger immune responses after vaccinations and have enhanced memory immune responses which protect adults from pathogens they were exposed to as childrentheres something about the immune system in females that is more exuberant said dr janine clayton director of the office of research on womens health at the national institutes of health\n\nbut theres a high price she added women are far more susceptible to autoimmune diseases like rheumatoid arthritis and lupus in which the immune system shifts into overdrive and attacks the bodys own organs and tissues\n\nnearly 80 percent of those with autoimmune diseases are women dr clayton noted\n\nthe reasons women have stronger immune responses arent entirely clear and the research is still at an early stage experts caution\n\none hypothesis is that womens stronger immune systems confer a survival advantage to their offspring who imbibe antibodies from mothers breast milk that help ward off disease while the infants immune systems are still developing\n\na stew of biological factors may be responsible including the female sex hormone estrogen which appears to play a role in immunity and the fact that women carry two x chromosomes which contain immunerelated genes men of course carry only one\n\nexperiments in which mice were exposed to the sars coronavirus found that the males were more susceptible to infection than the females a disparity that increased with age\n\nthe male mice developed sars at lower viral exposures had a lower immune response and were slower to clear the virus from their bodies they suffered more lung damage and died at higher rates said dr stanley perlman a professor of microbiology at the university of iowa who was the senior author of the studywhen researchers blocked estrogen in the infected females or removed their ovaries they were more likely to die but blocking testosterone in male mice made no difference indicating that estrogen may play a protective role\n\nits an exaggerated model of what happens in humans dr perlman said the differences between men and women are subtle in mice its not so subtlehealth behaviors that differ by sex in some societies may also play a role in disparate responses to infections\n\nchina has the largest population of smokers in the world 316 million people accounting for nearly onethird of the worlds smokers and 40 percent of tobacco consumption worldwide but just over 2 percent of chinese women smoke compared with more than half of all men\n\nchinese men also have higher rates of type 2 diabetes and high blood pressure than women both of which increase the risk of complications following infection with the coronavirus rates of chronic obstructive pulmonary disease are almost twice as high among chinese men as among women\n\nin the united states women are more proactive about seeking health care than men and some small studies have found the generalization applies to chinese students at universities in the united states as wellin unpublished studies chinese researchers have emphasized that patients whose diagnoses were delayed or who had severe pneumonia when they were first diagnosed were at greatest risk of dying\n\none study of 4021 patients with the coronavirus emphasized the importance of early detection particularly in older men and men have been turning up in hospitals with more advanced disease\n\nbut in areas of china outside hubei province the diseases epicenter and where the majority of those affected are concentrated the patterns are different the disease appears to have dramatically lower mortality rates and men are being infected at much higher rates than women according to the chinese cdc analysismen may have a false sense of security when it comes to the coronavirus said akiko iwasaki a professor of immunology at yale university who studies why some viruses affect women more severely\n\ngathering and analyzing data about the new virus by sex is important both for the scientists studying it and for the general public experts said\n\nsince the start of the outbreak for example public health officials have emphasized the importance of washing hands well and often to prevent infection but several studies have found that men even health care workers are less likely to wash their hands or to use soap than women dr klein said\n\nwe make these broad sweeping assumptions that men and women are the same behaviorally in terms of comorbidities biology and our immune system and we just are not dr klein said", + null, + "TRUE", + 0.11527890783914883, + 1030 + ], + [ + "To Beat COVID-19, Social Distancing is a Must", + "even in less challenging times many of us try to avoid close contact with someone who is sneezing coughing or running a fever to avoid getting sick ourselves our attention to such issues has now been dramatically heightened by the emergence of a novel coronavirus causing a pandemic of an illness known as covid19\nmany have wondered if we couldnt simply protect ourselves by avoiding people with symptoms of respiratory illness unfortunately the answer is no a new study shows that simply avoiding symptomatic people will not go far enough to curb the covid19 pandemic thats because researchers have discovered that many individuals can carry the novel coronavirus without showing any of the typical symptoms of covid19 fever dry cough and shortness of breath but these asymptomatic or only mildly ill individuals can still shed virus and infect othersthis conclusion adds further weight to the recent guidance from us public health experts what we need most right now to slow the stealthy spread of this new coronavirus is a full implementation of social distancing what exactly does social distancing mean well for starters it is recommended that people stay at home as much as possible going out only for critical needs like groceries and medicines or to exercise and enjoy the outdoors in wide open spaces other recommendations include avoiding gatherings of more than 10 people no handshakes regular handwashing and when encountering someone outside of your immediate household trying to remain at least 6 feet apartthese may sound like extreme measures but the new study by nihfunded researchers published in the journal science documents why social distancing may be our best hope to slow the spread of covid19 1 here are a few highlights of the paper which looks back to january 2020 and mathematically models the spread of the coronavirus within chinafor every confirmed case of covid19 there are likely another five to 10 people with undetected infectionsalthough they are thought to be only about half as infectious as individuals with confirmed covid19 individuals with undetected infections were so prevalent in china that they apparently were the infection source for 86 percent of confirmed casesafter china established travel restrictions and social distancing the spread of covid19 slowed considerablythe findings come from a small international research team that included nih grantee jeffrey shaman columbia university mailman school of public health new york the team developed a computer model that enabled researchers to simulate the time and place of infections in a grid of 375 chinese cities the researchers did so by combining existing data on the spread of covid19 in china with mobility information collected by a locationbased service during the countrys popular 40day spring festival when travel is widespreadas these new findings clearly demonstrate each of us must take social distancing seriously in our daily lives social distancing helped blunt the pandemic in china and it will work in other nations including the united states while many americans will likely spend weeks working and studying from home and practicing other social distancing measures the stakes remain high if this pandemic isnt contained this novel coronavirus could well circulate around the globe for years to come at great peril to us and our loved onesas we commit ourselves to spending more time at home progress continues to be made in using the power of biomedical research to combat this novel coronavirus a notable step this week was the launch of an earlystage human clinical trial of an investigational vaccine called mrna1273 to protect against covid19 2 the vaccine candidate was developed by researchers at nihs national institute of allergy and infectious diseases niaid and their collaborators at the biotechnology company moderna inc cambridge mathis phase 1 niaidsupported trial will look at the safety of the vaccinewhich cannot cause infection because it is made of rna not the whole coronavirusin 45 healthy adults the first volunteer was injected this past monday at kaiser permanente washington health research institute seattle if all goes well and larger followup clinical studies establish the vaccines safety and efficacy it will then be necessary to scale up production to make millions of doses while initiating this trial in record time is reason for hope it is important to be realistic about all of the steps that still remain if the vaccine candidate proves safe and effective it will likely take at least 1218 months before it would be widely availablein the meantime social distancing remains one of the best weapons we have to slow the silent spread of this virus and flatten the curve of the covid19 pandemic this will give our healthcare professionals hospitals and other institutions more valuable time to prepare protect themselves and aid the many people whose lives may be on the line from this coronavirusimportantly saving lives from covid19 requires all of usyoung old and inbetweento take part healthy young people whose risk of dying from coronavirus is not zero but quite low might argue that they shouldnt be constrained by social distancing however the research highlighted here demonstrates that such individuals are often the unwitting vector for a dangerous virus that can do great harmand even take the lives of older and more vulnerable people think about your grandparents then skip the big gathering we are all in this together", + "https://directorsblog.nih.gov/", + "TRUE", + 0.10351769245247504, + 881 + ], + [ + "When does a major outbreak become a Public Health Emergency of International Concern?", + "could the pandemic of the century have been averted the process by which who decides whether to declare a public health emergency of international concern pheic under the international health regulations has drawn criticism reports have condemned the 4month delay by who after the international spread of ebola in west africa before declaring a pheic1 the democratic republic of the congo now experiencing the second largest ebola outbreak in recorded history notified who of the outbreak on aug 1 2018 but who required four emergency committee meetings including on oct 17 2018 216 confirmed cases 139 deaths and 64 case fatality ratio and april 12 and june 14 2019 four confirmed cases in uganda justifying their response the emergency committee said that the cluster of cases in uganda is not unexpected a pheic was finally declared at the fourth emergency committee meeting on july 17 2019 2501 cases and 1668 deaths almost a year after initial notification the international health regulations do not require actual international spread only a high potential for that spread and thus the criteria for a pheic had already been met by the second emergency committee meeting4 notably the pheic declaration coincided with increased resourcing and international focus leading to a major reduction in ebola casesglobal health scholars have criticised the emergency committee process as lacking transparency using irrelevant considerations undue influence and political interference and delaying declaration when international health regulations criteria have been metthe coronavirus disease 2019 covid19 outbreak originating in china and reported to who on dec 31 2019 suggests that little has changed the pheic declaration for covid19 occurred well after most public health experts had concluded that this outbreak posed a major international threat at the first emergency committee meeting on jan 22 2020 309 cases and six deaths reported in mainland china five confirmed cases in four countries or territories the emergency committee said it did not have key facts from china it extended the meeting to the next day when cases had risen to 571 with 17 deaths and ten cases in seven other countries or territories yet the emergency committee could not achieve consensus and the directorgeneral concluded that the outbreak was an emergency in china but it had not yet become a global health emergencyagain the process appeared more political than technical as a lancet editorial described ebola in the democratic republic of congo adding that the committee seems to have favoured local protectiveness over global galvanising7 by the time the emergency committee declared a pheic for covid19 on jan 30 2020 7736 cases and 179 deaths had been confirmed in mainland china with 107 cases confirmed in 21 other countriesdelays in declaring a pheic could have serious detrimental consequences lulling governments and donors into a false sense of security because they could reason that if who does not consider the situation an international emergency then it does not require a surge responsethe legal definition of a pheic is clear as an extraordinary event that may constitute a public health risk to other countries through international spread of disease and may require an international coordinated response the purpose of the declaration is to focus international attention on acute public health risks that require coordinated mobilisation of extraordinary resources by the international community for prevention and response\nthe pheic process requires urgent reform first the allornothing nature of the assessment generates confusion we therefore propose a multilevel pheic process with each level defined by objective epidemiological criteria and paired with specific readiness actions level 1 pheic alert should indicate a high risk outbreak in a single country with the potential for international spread requiring concerted public health efforts to contain and manage it locally level 2 pheic should imply that multiple countries have had importations and that limited spread has occurred in those countries level 3 pheic would indicate large clusters in multiple countries with evidence of ongoing local transmission this tiering would provide less ambiguous risk signalling while also encouraging earlier proportionate public health measures when they are most effectivesecond who should convene an expert consensus meeting to establish objective evidencebased epidemiological and containment criteria to transparently guide its decision making processes the draft algorithm under annex 2 of the international health regulations8 appendix already includes critical elements but there are also subjective considerations such as restraints on international travel and trade the algorithm contains perverse relative weightings treating the five categories as equivalentthe clear purpose of a pheic declaration is to catalyse timely evidencebased action to spur increased international funding and support and to limit the public health and societal impacts of emerging and reemerging disease risks in the aftermath of the covid19 pandemic international health regulation reform must be an ethical imperative for more rapid and effective responses to novel infectious diseases", + "https://www.thelancet.com/", + "TRUE", + 0.06670983778126635, + 797 + ], + [ + "main pieces of advice to avoid the coronavirus", + "please consider the risk we talked to dr samir sinha hes the director of geriatrics for the sinai health system and the university health network in toronto and this is what he saysuntil theres a vaccine the most vulnerable people should continue to stay home if they can that includes grandparents over 60 like you and people with chronic illnessesyou see people in those categories are more likely to become severely ill if they contract coronavirus we dont want that to be youi think the pandemic has been really hard for everybody but social isolation is a particular issue for older adults he says one of the greatest joys for older people is seeing younger people in their lives and having intergenerational connectionsits a tricky balance we knowon one hand meaningful connections are hugely important they can enrich and even prolong your life but seeing a loved one means youll interact with people you havent seen in weeks whove spent their isolation in a different environment than you you have to decide whether that risk is worth it to youlets talk about itmaybe you think we your loving family members have banned you from visitingthere is this tension between families where older people feel their families are being overprotective of them or infringing on their rights sinha saysit doesnt have to be a stalemate lets talk it outit should be a shared choice sinha says that person hears why their loved one actually wants to protect them and this prompts a conversation and helps the person understand while im worried about you getting covid19 i appreciate that you want to protect me from thatdiscuss why you want to visit and acknowledge the risk involvedhave you been staying home and limiting your exposuresor have you had to work daily in environments that could expose them to the virusif its the second one its best to visit virtuallyfollow the safest protocoltheres no way to ensure total safety but there are steps we all can take to keep the risk as low as possibleread over sinhas recommendations which he developed with the american red cross scientific advisory councilbe well make sure youre not sick when you plan to visit whether that means a runny nose fever or stomach ache any form of illness we wont let you visit if any of us are sick eitherwear masks keep it on for the duration of your visit if you can if youre asymptomatic masks help keep you from breathing out the virus and you can learn how to make your ownwash your hands as soon as you walk in wash your hands for 20 seconds with soap and water as your family well disinfect frequently touched surfaces before you arrivegreet without touch try not to greet us with a kiss or hug as hard as that may be to resistkeep your distance you know the drill keep at least six feet of distance we know its weirdsinha also recommends his older patients reup their vaccinations particularly against the flu and pneumoniaif you do come down with coronavirus theres a higher chance you may also become infected with pneumonia or the flu at the same time multiple illnesses will stress out your immune system pace yourself when youre visiting so its decided youre visiting now you may need to pick which family members get first dibs on youwhen you visit multiple people the possibility that youll be exposed to the virus grows dr william schaffner told us hes an infectious disease specialist at the vanderbilt university school of medicinestart off with a few people or just one at a time schaffner says this is not the time to have a oncein20years family reunionheres another consideration that may sway your choice children younger than 5 may have trouble adhering to social distancing measures if they or you cant resist bear hugs or slobbery cheek kisses consider visiting families with older children sinha says lets meet outsideschaffner suggests we choose the great outdoors as our reunion venue like a park or garden where we can stay safely distant from otherstransmission is unlikely outside as long as were keeping 6 feet apart thanks to constant air flow schaffner says but its best to wear a mask anyway to prevent asymptomatic transmission should we accidentally come closeone last thing we your doting relatives love you dearly these guidelines arent ideal and weve never had to do anything like this before but if we take these measures now well do our part to stop the spread of coronavirus and when this pandemic is through we can bring on the bear hugs againoh and keep washing your hands", + "https://www.cnn.com/", + "TRUE", + 0.14241478011969813, + 776 + ], + [ + "My child has mild cold or flu symptoms. Should I take him to the hospital?", + "no coronavirus symptoms can include fever dry cough or shortness of breath if your child has other symptoms like mild fever runny nose or sore throat you should call your pediatrician first before going anywhere we want people who are not critically ill to stay out of the hospital dr madan said\nif your child develops more severe symptoms such as trouble breathing an inability to eat or drink or a change in behavior you should visit a doctor dr madan said", + "https://www.nytimes.com/", + "TRUE", + 0.11770833333333333, + 82 + ], + [ + "What precautions should I take if I need to travel?", + "travellers should adhere to strict hygiene measures wash hands with soap and water regularly andor use alcoholbased hand sanitisers touching the face with unwashed hands should be avoided travellers should avoid contact with sick persons in particular those with respiratory symptoms and fever it should be emphasised that older people and those with underlying health conditions should take these precautionary measures very seriously travellers who develop any symptoms during or after travel should selfisolate those developing acute respiratory symptoms within 14 days upon return should be advised to seek immediate medical advice ideally by phone first to their national healthcare provider", + "https://www.ecdc.europa.eu", + "TRUE", + 0.14357142857142857, + 101 + ], + [ + "When should I be tested for COVID-19?", + "current advice for testing depends on the stage of the outbreak in the country or area where you live testing approaches will be adapted to the situation at national and local level national authorities may decide to test only subgroups of suspected cases based on the national capacity to test the availability of necessary equipment for testing the level of community transmission of covid19 or other criteriaas a resource conscious approach ecdc has suggested that national authorities may consider prioritising testing in the following groupshospitalised patients with severe respiratory infectionssymptomatic healthcare staff including those with mild symptomscases with acute respiratory infections in hospital or longterm care facilitiespatients with acute respiratory infections or influenzalike illness in certain outpatient clinics or hospitalselderly people with underlying chronic medical conditions such as lung disease cancer heart failure cerebrovascular disease renal disease liver disease diabetes and immunocompromising conditions", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.1028210678210678, + 143 + ], + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "Go ahead and open that package from China. Coronavirus doesn’t spread by mail.", + "the number of confirmed cases of coronavirus continues to grow daily readers have asked whether the origin of mail and purchased items could affect them\nthe united states has more than 100 confirmed cases of coronavirus and new infections are being reported daily on tuesday amazon said it recently had a seattlebased employee test positive for covid19 the disease caused by the virus a spokesperson for amazon told the washington post that the ill employee is in quarantine amazon chief executive jeff bezos owns the post many of the retailers merchants and suppliers are based in china where one city wuhan became known as ground zero for the virus that connection has led many readers to question whether they should be fearful of parcels coming from affected areas in china or elsewherethe simple scientific answer according to epidemiologists notheres no evidence that theres been spread from infected mail or packages said michael merson a deans special adviser at the new york university school of global public healthmerson who is also director of the singhealth dukenational university of singapore global health institute said lab studies have shown the virus can survive up to eight or nine days but he stressed that factors such as temperature and humidity play a factor in such researchif i put anything on a surface that doesnt tell us about the real world he said noting the virus is mostly spread through droplet infections we just dont have any evidence that this has ever been a problemthe virus does not last long on objects such as letters or packages according to the world health organizationif people are ordering internationally contracting the virus is even less of a concern said xi chen assistant professor of public and global health and economics at the yale school of public health\nchen said viruses similar to the coronavirus such as sars and mers like low temperatures and low humidity which arent consistent in transit\nproper handwashing and touching your face less are the best protections against the coronavirus said amar adalja senior scholar at the johns hopkins bloomberg school of public healthits important to be alert but its not a time to panic he said the vast majority of cases are going to be mild", + "https://www.washingtonpost.com/", + "TRUE", + 0.10598006644518274, + 374 + ], + [ + "Where did Covid-19 come from? What we know about its origins", + "scientists cast doubt on the trumpbacked theory that the coronavirus escaped from a chinese lab why are the origins of the pandemic so controversial\nhow covid19 began has become increasingly contentious with the us and other allies suggesting china has not been transparent about the origins of the outbreakdonald trump the us president has given credence to the idea that intelligence exists suggesting the virus may have escaped from a lab in wuhan although the us intelligence community has pointedly declined to back this up the scientific community says there is no current evidence for this claimthis follows reports that the white house had been pressuring us intelligence community on the claim recalling the bush administrations pressure to stove pipe the intelligence before the war in iraqwhats the problem with the chinese versiona specific issue is that the official origin story doesnt add up in terms of the initial epidemiology of the outbreak not least the incidence of early cases with no apparent connection to the wuhan seafood market where beijing says the outbreak began if these people were not infected at the market or via contacts who were infected at the market critics ask how do you explain these casestwo laboratories in wuhan studying bat coronaviruses have come under the spotlight the wuhan institute of virology wiv is a biosecurity level 4 facility the highest for biocontainment and the level 2 wuhan centre for disease control which is located not far from the fish market had collected bat coronavirus specimensseveral theories have been promoted the first and wildest is that scientists at wiv were engaged in experiments with bat coronavirus involving socalled gene splicing and the virus then escaped and infected humans a second version is that sloppy biosecurity among lab staff and in procedures perhaps in the collection or disposal of animal specimens released a wild virusis there any evidence the virus was engineeredthe scientific consensus rejecting the virus being engineered is almost unanimous in a letter to nature in march a team in california led by microbiology professor kristian andersen said the genetic data irrefutably shows that covid19 is not derived from any previously used virus backbone in other words spliced sections of another known virusfar more likely they suggested was that the virus emerged naturally and became stronger through natural selection we propose two scenarios that can plausibly explain the origin of sarscov2 natural selection in an animal host before zoonotic animal to human transfer and natural selection in humans following zoonotic transferpeter ben embarek an expert at the world health organization in animal to human transmission of diseases and other specialists also explained to the guardian that if there had been any manipulation of the virus you would expect to see evidence in both the gene sequences and also distortion in the data of the family tree of mutations a socalled reticulation effectin a statement to the guardian james le duc the head of the galveston national laboratory in the us the biggest active biocontainment facility on a us academic campus also poured cold water on the suggestionthere is convincing evidence that the new virus was not the result of intentional genetic engineering and that it almost certainly originated from nature given its high similarity to other known batassociated coronaviruses he saidwhat about an accidental escape of a wild sample because of poor lab safety practicesthe accidental release of a wild sample has been the focus of most attention although the evidence offered is at best highly circumstantialthe washington post has reported concerns in 2018 over security and management weakness from us embassy officials who visited the wiv several times although the paper also conceded there was no conclusive proof the lab was the source of the outbreakle duc however paints a different picture of the wiv i have visited and toured the new bsl4 laboratory in wuhan prior to it starting operations in 2017 it is of comparable quality and safety measures as any currently in operation in the us or europehe also described encounters with shi zhengli the chinese virologist at the wiv who has led research into bat coronaviruses and discovered the link between bats and the sars virus that caused disease worldwide in 2003 describing her as fully engaged very open and transparent about her work and eager to collaborate\nmaureen miller an epidemiologist who worked with shi as part of a usfunded viral research programme echoed le ducs assessment she said she believed the lab escape theory was an absolute conspiracy theory and referred to shi as brilliantproblems with the timeline and map of the spread of the virus while the experts who spoke to the guardian made clear that understanding of the origins of the virus remained provisional they added that the current state of knowledge of the initial spread also created problems for the lab escape theorywhen peter forster a geneticist at cambridge compared sequences of the virus genome collected early in the chines outbreak and later globally he identified three dominant strainsearly in the outbreak two strains appear to have been in circulation at roughly at the same time strain a and strain b with a c variant later developing from strain bbut in a surprise finding the version with the closest genetic similarity to bat coronavirus was not the one most prevalent early on in the central chinese city of wuhan but instead associated with a scattering of early cases in the southern guangdong provincebetween 24 december 2019 and 17 january 2020 forster explains just three out of 23 cases in wuhan were type a while the rest were type b in patients in guangdong province however five out of nine were found to have type a of the virusthe very small numbers notwithstanding said forster the early genome frequencies until 17 january do not favour wuhan as an origin over other parts of china for example five of nine guangdongshenzhen patients who had a typesin other words it still remains far from certain that wuhan was even necessarily where the virus first emergedif there is no evidence of engineering and the origin is still so disputed why are we still talking about the wuhan labs theorythe pandemic has exacerbated existing geopolitical struggles prompting a disinformation war that has drawn in the us china russia and othersjournalists and scientists have been targeted by people with an apparent interest in pushing circumstantial evidence related to the viruss origins perhaps as part of this campaign and to distract from the fact that few governments have had a faultfree responsewhat does this mean nowthe current state of knowledge about coronavirus and its origin suggest the most likely explanation remains the most prosaic like other coronaviruses before it simply spread to humans via a natural event the starting point for many in the scientific community including the world health organizationfurther testing in china in the months ahead may eventually establish the source of the outbreak but for now it is too early", + "https://www.theguardian.com/", + "TRUE", + 0.06074591149591147, + 1162 + ], + [ + "Should I wear a face mask?", + "the cdc now recommends that everyone in the us wear nonsurgical masks when going out in publiccoronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come ina person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hourswhat kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowinglywhile n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workerssome parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your masksurgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancingthe cdc has information on how to make wear and clean nonsurgical masksthe who offers videos and illustrations on when and how to use a mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.3052631578947368, + 356 + ], + [ + "What is COVID-19?", + "covid19 is a disease caused by a type of virus called a coronavirus this is a common type of virus that affects both animals and humans coronaviruses often cause symptoms like those of the common cold but sometimes they can cause more serious infectionsthe coronavirus that causes covid19 is a new type of coronavirus most of the first people affected had links to a seafood and live animal market in wuhan city hubei provincechina this suggests that this new coronavirus might be a combination of human and animal coronavirusesthe virus has now spread to over 100 countries the us spain italy france the ukgermany turkey russia and brazil have reported the most cases", + "https://bestpractice.bmj.com/", + "TRUE", + 0.052146464646464656, + 113 + ], + [ + "Taking a hot bath does not prevent the new coronavirus disease", + "taking a hot bath will not prevent you from catching covid19 your normal body temperature remains around 365c to 37c regardless of the temperature of your bath or shower actually taking a hot bath with extremely hot water can be harmful as it can burn you the best way to protect yourself against covid19 is by frequently cleaning your hands by doing this you eliminate viruses that may be on your hands and avoid infection that could occur by then touching your eyes mouth and nose", + "https://www.who.int/", + "TRUE", + 0.34444444444444444, + 86 + ], + [ + "COVID-19 coronavirus epidemic has a natural origin", + "the novel sarscov2 coronavirus that emerged in the city of wuhan china last year and has since caused a large scale covid19 epidemic and spread to more than 70 other countries is the product of natural evolution according to findings published today in the journal nature medicinethe analysis of public genome sequence data from sarscov2 and related viruses found no evidence that the virus was made in a laboratory or otherwise engineeredby comparing the available genome sequence data for known coronavirus strains we can firmly determine that sarscov2 originated through natural processes said kristian andersen phd an associate professor of immunology and microbiology at scripps research and corresponding author on the paper\nin addition to andersen authors on the paper the proximal origin of sarscov2 include robert f garry of tulane university edward holmes of the university of sydney andrew rambaut of university of edinburgh w ian lipkin of columbia universitycoronaviruses are a large family of viruses that can cause illnesses ranging widely in severity the first known severe illness caused by a coronavirus emerged with the 2003 severe acute respiratory syndrome sars epidemic in china a second outbreak of severe illness began in 2012 in saudi arabia with the middle east respiratory syndrome merson december 31 of last year chinese authorities alerted the world health organization of an outbreak of a novel strain of coronavirus causing severe illness which was subsequently named sarscov2 as of february 20 2020 nearly 167500 covid19 cases have been documented although many more mild cases have likely gone undiagnosed the virus has killed over 6600 peopleshortly after the epidemic began chinese scientists sequenced the genome of sarscov2 and made the data available to researchers worldwide the resulting genomic sequence data has shown that chinese authorities rapidly detected the epidemic and that the number of covid19 cases have been increasing because of human to human transmission after a single introduction into the human population andersen and collaborators at several other research institutions used this sequencing data to explore the origins and evolution of sarscov2 by focusing in on several telltale features of the virusthe scientists analyzed the genetic template for spike proteins armatures on the outside of the virus that it uses to grab and penetrate the outer walls of human and animal cells more specifically they focused on two important features of the spike protein the receptorbinding domain rbd a kind of grappling hook that grips onto host cells and the cleavage site a molecular can opener that allows the virus to crack open and enter host cellsevidence for natural evolutionthe scientists found that the rbd portion of the sarscov2 spike proteins had evolved to effectively target a molecular feature on the outside of human cells called ace2 a receptor involved in regulating blood pressure the sarscov2 spike protein was so effective at binding the human cells in fact that the scientists concluded it was the result of natural selection and not the product of genetic engineeringthis evidence for natural evolution was supported by data on sarscov2s backbone its overall molecular structure if someone were seeking to engineer a new coronavirus as a pathogen they would have constructed it from the backbone of a virus known to cause illness but the scientists found that the sarscov2 backbone differed substantially from those of already known coronaviruses and mostly resembled related viruses found in bats and pangolinsthese two features of the virus the mutations in the rbd portion of the spike protein and its distinct backbone rules out laboratory manipulation as a potential origin for sarscov2 said andersenjosie golding phd epidemics lead at ukbased wellcome trust said the findings by andersen and his colleagues are crucially important to bring an evidencebased view to the rumors that have been circulating about the origins of the virus sarscov2 causing covid19they conclude that the virus is the product of natural evolution goulding adds ending any speculation about deliberate genetic engineeringpossible origins of the virusbased on their genomic sequencing analysis andersen and his collaborators concluded that the most likely origins for sarscov2 followed one of two possible scenariosin one scenario the virus evolved to its current pathogenic state through natural selection in a nonhuman host and then jumped to humans this is how previous coronavirus outbreaks have emerged with humans contracting the virus after direct exposure to civets sars and camels mers the researchers proposed bats as the most likely reservoir for sarscov2 as it is very similar to a bat coronavirus there are no documented cases of direct bathuman transmission however suggesting that an intermediate host was likely involved between bats and humansin this scenario both of the distinctive features of sarscov2s spike protein the rbd portion that binds to cells and the cleavage site that opens the virus up would have evolved to their current state prior to entering humans in this case the current epidemic would probably have emerged rapidly as soon as humans were infected as the virus would have already evolved the features that make it pathogenic and able to spread between peoplein the other proposed scenario a nonpathogenic version of the virus jumped from an animal host into humans and then evolved to its current pathogenic state within the human population for instance some coronaviruses from pangolins armadillolike mammals found in asia and africa have an rbd structure very similar to that of sarscov2 a coronavirus from a pangolin could possibly have been transmitted to a human either directly or through an intermediary host such as civets or ferretsthen the other distinct spike protein characteristic of sarscov2 the cleavage site could have evolved within a human host possibly via limited undetected circulation in the human population prior to the beginning of the epidemic the researchers found that the sarscov2 cleavage site appears similar to the cleavage sites of strains of bird flu that has been shown to transmit easily between people sarscov2 could have evolved such a virulent cleavage site in human cells and soon kicked off the current epidemic as the coronavirus would possibly have become far more capable of spreading between peoplestudy coauthor andrew rambaut cautioned that it is difficult if not impossible to know at this point which of the scenarios is most likely if the sarscov2 entered humans in its current pathogenic form from an animal source it raises the probability of future outbreaks as the illnesscausing strain of the virus could still be circulating in the animal population and might once again jump into humans the chances are lower of a nonpathogenic coronavirus entering the human population and then evolving properties similar to sarscov2funding for the research was provided by the us national institutes of health the pew charitable trusts the wellcome trust the european research council and an arc australian laureate fellowship", + "https://www.sciencedaily.com/", + "TRUE", + 0.10677747329123474, + 1124 + ], + [ + "What You Need to Know About the Coronavirus", + "what you need to know about the coronavirus", + "https://www.theatlantic.com/", + "TRUE", + 0, + 8 + ], + [ + "Will heat kill the coronavirus?", + "we dont know if changing seasons will help stem the outbreak says michael le page will the covid19 outbreakcaused by the new coronavirus fade as winter in the northern hemisphere comes to an end this has been suggested by some researchers and repeated by some political leaders including us president donald trumpwe absolutely dont know that says trudie lang at the university of oxford i keep asking virologist colleagues this and nobody knows so when you hear people say the weather will warm up and it will just disappear its a very unhelpful generalisationthis is essentially what trump said on 10 february the heat generally speaking kills this kind of virus he told a meeting a lot of people think that goes away in april as the heat comes intrump isnt the only politician to make this sort of claim the uks health secretary matt hancock recently told itv reporter tom clarke that the hope was to slow the spread of the virus so any epidemic reaches the uk in spring and summer when coronaviruses of which the new virus is just a specific example are less transmissibleone scenario is that it will burn itself out in summer another that it will reduce but then return in winter it is thought the virus known as 2019ncov can survive for up to four days on surfaces some researchers including paul hunter at the university of east anglia uk do think the new coronavirus wont survive for as long in warmer conditionsone extreme scenario is that it will burn itself out sometime in the summer says hunter the other extreme scenario is that it will reduce in the summer but it will come back again in the winter and become what we call endemic in that it will spread pretty much everywherehowever if it is more infectious in cooler conditions there is an increased chance of it spreading faster in the southern hemisphere as conditions there cool in the coming months david heymann at the london school of hygiene and tropical medicine who led the global response to the sars coronavirus outbreak in 2003 points out that the mers coronavirus has spread in saudi arabia in august when it is very hot these viruses can certainly spread during high temperature seasons he saysit is thought one reason why flu spreads less readily in summer is that people spend less time together in confined spaces in particular it could be linked to school closures says john edmunds also at the london school of hygiene and tropical medicinehowever children tend to spread flu because they have less immunity to it than adults who have been exposed to many strains this isnt the case for the new coronavirus fewer cases have been reported in young people though this may be just because they are less likely to become seriously ill\nthe world health organization says we dont know yet how heat and humidity affect the virus there is currently no data available on stability of 2019ncov on surfaces it says in its guidance on preventing infections", + "https://www.sciencedirect.com/", + "TRUE", + 0.08340651412079986, + 511 + ], + [ + "Caring for Someone Sick at Home", + "or other nonhealthcare settings advice for caregivers if you are caring for someone with covid19 at home or in a nonhealthcare setting follow this advice to protect yourself and others learn what to do when someone has symptoms of covid19 or when someone has been diagnosed with the virus this information also should be followed when caring for people who have tested positive but are not showing symptoms note older adults and people of any age with serious underlying medical conditions are at higher risk for developing more severe illness from covid19 people at higher risk of severe illness should call their doctor as soon as symptoms startprescription bottle alt iconprovide support and help cover basic needs help the person who is sick follow their doctors instructions for care and medicine for most people symptoms last a few days and people usually feel better after a weeksee if overthecounter medicines for fever such as acetaminophen sometimes called tylenol help the person feel bettermake sure the person who is sick drinks a lot of fluids and restshelp them with grocery shopping filling prescriptions and getting other items they may need consider having the items delivered through a delivery service if possibletake care of their pets and limit contact between the person who is sick and their pets when possiblewatch for warning signs have their doctors phone number on handuse cdcs selfchecker tool to help you make decisions about seeking appropriate medical care call their doctor if the person keeps getting sicker for medical emergencies call 911 and tell the dispatcher that the person has or might have covid19when to seek emergency medical attention look for emergency warning signs for covid19 if someone is showing any of these signs seek emergency medical care immediately trouble breathingpersistent pain or pressure in the chest new confusioninability to wake or stay awakebluish lips or facethis list is not all possible symptoms please call your medical provider for any other symptoms that are severe or concerning to youcall 911 or call ahead to your local emergency facility notify the operator that you are seeking care for someone who has or may have covid19protect yourself when caring for someone who is sickpeople arrows iconlimit contactcovid19 spreads between people who are in close contact within about 6 feet through respiratory droplets created when someone talks coughs or sneezesthe caregiver when possible should not be someone who is at higher risk for severe illness from covid19 use a separate bedroom and bathroom if possible have the person who is sick stay in their own sick room or area and away from others if possible have the person who is sick use a separate bathroomshared space if you have to share space make sure the room has good air flowopen the window and turn on a fan if possible to increase air circulationimproving ventilation helps remove respiratory droplets from the airavoid having visitors avoid having any unnecessary visitors especially visits by people who are at higher risk for severe illnessfood iconeat in separate rooms or areasstay separated the person who is sick should eat or be fed in their room if possiblewash dishes and utensils using gloves and hot water handle any dishes cupsglasses or silverware used by the person who is sick with gloves wash them with soap and hot water or in a dishwasherclean hands after taking off gloves or handling used itemsno iconavoid sharing personal itemsdo not share do not share dishes cupsglasses silverware towels bedding or electronics like a cell phone with the person who is sickhead side mask iconwhen to wear a cloth face cover or glovessick personthe person who is sick should wear a cloth face covering when they are around other people at home and out including before they enter a doctors officethe cloth face covering helps prevent a person who is sick from spreading the virus to others it keeps respiratory droplets contained and from reaching other peoplecloth face coverings should not be placed on young children under age 2 anyone who has trouble breathing or is not able to remove the covering without helpcaregiverwear gloves when you touch or have contact with the sick persons blood stool or body fluids such as saliva mucus vomit and urine throw out gloves into a lined trash can and wash hands right awaythe caregiver should ask the sick person to put on a cloth face covering before entering the roomthe caregiver may also wear a cloth face covering when caring for a person who is sickto prevent getting sick make sure you practice everyday preventive actions clean hands often avoid touching your eyes nose and mouth with unwashed hands and frequently clean and disinfect surfacesnote during the covid19 pandemic medical grade facemasks are reserved for healthcare workers and some first responders you may need to make a cloth face covering using a scarf or bandana learn more herehands wash iconclean your hands often wash hands wash your hands often with soap and water for at least 20 seconds tell everyone in the home to do the same especially after being near the person who is sickhand sanitizer if soap and water are not readily available use a hand sanitizer that contains at least 60 alcohol cover all surfaces of your hands and rub them together until they feel dry hands off avoid touching your eyes nose and mouth with unwashed handsclean and then disinfect around the houseclean and disinfect hightouch surfaces and items every day this includes tables doorknobs light switches handles desks toilets faucets sinks and electronicsclean the area or item with soap and water if it is dirty then use a household disinfectantbe sure to follow the instructions on the label to ensure safe and effective use of the product many products recommend keeping the surface wet for several minutes to kill germs many also recommend wearing gloves making sure you have good air flow and wiping or rinsing off the product after use\nmost household disinfectants should be effective a list of eparegistered disinfectants can be found hereexternal iconto clean electronics follow the manufacturers instructions for all cleaning and disinfection products if those directions are not available use alcoholbased wipes or spray containing at least 70 alcohollearn more herebedroom and bathroomif you are using a separate bedroom and bathroom only clean the area around the person who is sick when needed such as when the area is soiled this will help limit your contact with the sick personif they feel up to it the person who is sick can clean their own space give the person who is sick personal cleaning supplies such as tissues paper towels cleaners and eparegistered disinfectantsexternal iconif sharing a bathroom the person who is sick should clean and then disinfect after each use if this is not possible wear a mask and wait as long as possible after the sick person has used the bathroom before coming in to clean and use the bathroom washer iconwash and dry laundrydo not shake dirty laundrywear disposable gloves while handling dirty laundrydirty laundry from a person who is sick can be washed with other peoples itemswash items according to the label instructions use the warmest water setting you can remove gloves and wash hands right away dry laundry on hot if possible completelywash hands after putting clothes in the dryerclean and disinfect clothes hampers wash hands afterwards trash icon use lined trash can place used disposable gloves and other contaminated items in a lined trash can use gloves when removing garbage bags and handling and disposing of trash wash hands afterwardsplace all used disposable gloves facemasks and other contaminated items in a lined trash can if possible dedicate a lined trash can for the person who is sickdigital thermometer icon track your own healthcaregivers and close contacts should monitor their health for covid19 symptoms symptoms include fever cough and shortness of breath but other symptoms may be present as well trouble breathing is a more serious warning sign that you need medical attentionuse cdcs selfchecker tool to help you make decisions about seeking appropriate medical careif you are having trouble breathing call 911 call your doctor or emergency room and tell them your symptoms before going in they will tell you what to dohow to discontinue home isolation house leave icon people with covid19 who have stayed home home isolated can leave home under the following conditions if they have not had a test to determine if they are still contagious they can leave home after these three things have happened they have had no fever for at least 72 hours that is three full days of no fever without the use of medicine that reduces fevers and other symptoms have improved for example symptoms of cough or shortness of breath have improved and at least 10 days have passed since their symptoms first appeared if they have had a test to determine if they are still contagious they can leave home after these three things have happened they no longer have a fever without the use of medicine that reduces fevers and other symptoms have improved for example symptoms of cough or shortness of breath have improved and they have received two negative tests in a row at least 24 hours apart their doctor will follow cdc guidelines people who did not have covid19 symptoms but tested positive and have stayed home home isolated can leave home under the following conditions if they have not had a test to determine if they are still contagious they can leave home after these two things have happenedat least 10 days have passed since the date of their first positive test and they continue to have no symptoms no cough or shortness of breath since the testif they have had a test to determine if they are still contagious they can leave home afterthey have received two negative tests in a row at least 24 hours apart their doctor will follow cdc guidelinesif they develop symptoms follow guidance above for people with covid19 symptomsfor all peoplewhen leaving the home keep a distance of 6 feet from others and wear a cloth face covering when around other peoplein all cases follow the guidance of your doctor and local health department the decision to stop home isolation should be made in consultation with their healthcare provider and state and local health departments some people for example those with conditions that weaken their immune system might continue to shed virus even after they recover", + "https://www.cdc.gov/", + "TRUE", + -0.01749639249639251, + 1750 + ], + [ + "How to Protect Yourself & Others", + "older adults and people who have severe underlying medical conditions like heart or lung disease or diabetes seem to be at higher risk for developing serious complications from covid19 illnessknow how it spreadsthere is currently no vaccine to prevent coronavirus disease 2019 covid19the best way to prevent illness is to avoid being exposed to this virusthe virus is thought to spread mainly from persontopersonbetween people who are in close contact with one another within about 6 feetthrough respiratory droplets produced when an infected person coughs sneezes or talksthese droplets can land in the mouths or noses of people who are nearby or possibly be inhaled into the lungssome recent studies have suggested that covid19 may be spread by people who are not showing symptomseveryone shouldhands wash iconwash your hands oftenwash your hands often with soap and water for at least 20 seconds especially after you have been in a public place or after blowing your nose coughing or sneezingif soap and water are not readily available use a hand sanitizer that contains at least 60 alcohol cover all surfaces of your hands and rub them together until they feel dryavoid touching your eyes nose and mouth with unwashed handspeople arrows iconavoid close contactavoid close contact with people who are sick even inside your home if possible maintain 6 feet between the person who is sick and other household membersput distance between yourself and other people outside of your homeremember that some people without symptoms may be able to spread virusstay at least 6 feet about 2 arms length from other peopledo not gather in groupsstay out of crowded places and avoid mass gatheringskeeping distance from others is especially important for people who are at higher risk of getting very sickhead side mask iconcover your mouth and nose with a cloth face cover when around others you could spread covid19 to others even if you do not feel sickeveryone should wear a cloth face cover when they have to go out in public for example to the grocery store or to pick up other necessities\ncloth face coverings should not be placed on young children under age 2 anyone who has trouble breathing or is unconscious incapacitated or otherwise unable to remove the mask without assistancethe cloth face cover is meant to protect other people in case you are infecteddo not use a facemask meant for a healthcare workercontinue to keep about 6 feet between yourself and others the cloth face cover is not a substitute for social distancingbox tissue iconcover coughs and sneezesif you are in a private setting and do not have on your cloth face covering remember to always cover your mouth and nose with a tissue when you cough or sneeze or use the inside of your elbowthrow used tissues in the trashimmediately wash your hands with soap and water for at least 20 seconds if soap and water are not readily available clean your hands with a hand sanitizer that contains at least 60 alcoholcleaning iconclean and disinfectclean and disinfect frequently touched surfaces daily this includes tables doorknobs light switches countertops handles desks phones keyboards toilets faucets and sinksif surfaces are dirty clean them use detergent or soap and water prior to disinfectionthen use a household disinfectant most common eparegistered household disinfectantsexternal icon will work", + "https://www.cdc.gov/", + "TRUE", + -0.003976697061803446, + 549 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 205 + ], + [ + "When it comes to money, uncertainty is the new normal", + "its unclear what an economic recovery will look like or when it will comethe impact of the virus on the united states economy has been swift and devastating nearly 10 million americans have filed for unemployment insurance in the past two weeks and some estimates say the unemployment rate is likely higher than at any point since the great depression as we struggle to fight the virus itself its unclear what an economic recovery will look like or when it will comeif youre filing for unemployment there is a lot to know so read this guide on unemployment insurance you should also be prepared for a potentially tough journey through bureaucracydont forget to work on your emergency fund heres how to keep building it during a financial crisisfor americans with a retirement account it has been gutwrenching to watch doubledigit percentages of it evaporate in a matter of weeks not only have we seen the markets largest singleday drop since black monday in 1987 but all of the gains from the past few years have essentially been wiped outbut for longterm investors which is what most of us should be the ageold advice still holds do nothing and just wait it outthe only two days that really matter in investing are the day you buy and the day you sell all the ups and downs in between are simply noise mel lindauer coauthor of the bogleheads guide to investing said in this guide on how to keep calm during a market crashfor all of your other money questions our your money team has put together two handy guides this personal finance qa covers topics including whether you should rebalance your portfolio when to buy more stocks whether you should refinance your mortgage and much more and this qa covers the stimulus package", + "https://www.nytimes.com/", + "TRUE", + 0.07077777777777779, + 302 + ], + [ + "What can I do to protect myself and others from COVID-19?", + "the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sickcover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakwash your hands often with soap and waterthis chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system", + "https://www.health.harvard.edu/", + "TRUE", + 0.09697014790764792, + 151 + ], + [ + "Different Approaches to a Coronavirus Vaccine", + "scientists are developing more than 100 coronavirus vaccines using a range of techniques some of which are wellestablished and some of which have never been approved for medical use beforemost of these vaccines target the socalled spike proteins that cover the virus and help it invade human cells the immune system can develop antibodies that latch onto spike proteins and stop the virusa successful vaccine for the sarscov2 coronavirus would teach peoples immune systems to make antibodies against the virus without causing diseasewholevirus vaccinesvaccines that modify the entire coronavirus to provoke an immune responseinactivated and live attenuated vaccinesmost vaccines in use today incorporate an inactivated or weakened form of a virus that is not able to cause disease when immune cells encounter them they make antibodiesmaking these vaccines means growing viruses and lots of them influenza vaccines are typically grown in chicken eggs and other vaccines are grown in tanks full of floating cells these procedures can take months to produce a batch of new vaccinesexamples conventional vaccines for influenza chickenpox measles mumps and rubella all fall into this categorycompanies developing sarscov2 vaccines sinovac and othersgenetic vaccinesvaccines that use part of the coronaviruss genetic codedna vaccinesa number of experimental coronavirus vaccines dont deliver whole viruses instead they deliver genetic instructions for building a viral protein the protein can then stimulate the immune system to make antibodies and help mount other defenses against the coronavirusone of these genetic approaches is known as a dna vaccine a circle of engineered dna is delivered into cells the cells read the viral gene make a copy in a molecule called messenger rna and then use the mrna to assemble viral proteins the immune system detects the proteins and mounts defensesprototype dna vaccines based on the spike protein protected monkeys from the coronavirusexamples dna vaccines have been approved for veterinary cases such as canine melanoma and west nile virus in horses there are no approved dna vaccines for use in humans but researchers are running trials to see if they might be effective for diseases such as zika and the flucompanies inovio and othersrna vaccines some researchers want to skip dna and instead deliver messenger rna into cells the cells read the mrna and make spike proteins that provoke an immune responsethe biotech company moderna recently completed a small safety trial with eight volunteers that showed promising early results against the coronavirus\nboth rna and dna vaccines can be produced more quickly than traditional methodsexamples there are no approved rna vaccines but they are in clinical trials for mers and other diseasesviral vector vaccines vaccines that use a virus to deliver coronavirus genes into cellsvaccines using adenovirus or other viruses\nviruses are very good at getting into cells since the 1990s researchers have been investigating how to use them to deliver genes into cells to immunize people against diseasesto create a coronavirus vaccine several teams have added the spike protein gene to a virus called an adenovirus the adenovirus slips into cells and unloads the gene because the adenovirus is missing one of its own genes it cannot replicate and is therefore safeexamples several virus vector vaccines are used to vaccinate animals against rabies and distemper johnson johnson has developed hiv and ebola vaccines using an adenovirus both have proven safe in humans and are now in efficacy trialsproteinbased vaccinesvaccines that use a coronavirus protein or a protein fragmentviruslike particle vaccinessome vaccines are particles that contain pieces of viral proteins they cant cause disease because they are not actual viruses but they can still show the immune system what coronavirus proteins look likeexamples the vaccine for hpv falls into this categorycompanies medicago doherty institute and othersrecombinant vaccinesyeast or other cells can be engineered to carry a viruss gene and spew out viral proteins which are then harvested and put into a vaccine a coronavirus vaccine of this design would contain whole spike proteins or small pieces of the proteinexamples this category includes some vaccines for shingles and hepatitis bcompanies novavax and others", + "https://www.nytimes.com/", + "TRUE", + 0.09568043068043068, + 667 + ], + [ + "Here are the drugs, vaccines and therapies in development to tackle COVID-19", + "even though a vaccine could be more than a year away researchers are experimenting with drugs and therapies to help ease the strain on overwhelmed healthcare systemscurrently there are more than 70 vaccine candidates in development around the worldhere are 20 of the most promising drugs therapies and vaccineswith much of the world living in lockdown the spread of the new coronavirus sarscov2 that was first detected in china late last year is beginning to slow in some places as of april 19 24 million had been infected and 165000 killed by covid19 the disease caused by the viruswhile a safe effective vaccine is still more than a year away researchers are rushing to repurpose existing drugs and nondrug therapies as well as testing promising experimental drugs that were already in clinical trialseven moderately effective therapies or combinations could dramatically reduce the crushing demand on hospitals and intensive care units changing the nature of the risk the new pathogen represents to populations and healthcare systems new drugs together with new diagnostics antibody tests patient and contacttracing technologies disease surveillance and other earlywarning tools mean the anticipated next wave of the global pandemic does not have to be nearly as bad as the firstmore than 70 vaccine candidates are also in development around the world with at least five in preliminary testing in people here are some of the drugs vaccines and other therapies in developmenthave you read why vaccines are the only real solution to pandemics according to gavi bill gates is funding new factories for potential coronavirus vaccines why a coronavirus vaccine takes over a year to produce and why that is incredibly fast 1 gilead sciences remdesivir type drug status repurposed experimental early results 03 monthsantiviral drug originally developed to combat rna viruses including respiratory syncytial virus at least 13 trials underway in china europe and the united states with preliminary results from two chinese trials expected as soon as april 2020 a february assessment by the who flagged this candidate as the most promising for battling covid19caveats initial data are expected to come from studies of patients with relatively severe covid19 because antivirals work best when patients are healthier those results may show limited effectiveness2 hydroxychloroquine chloroquine type drug status repurposed early results 03 monthsmalaria drug also believed to have antiviral activity blocked sarscov2 entry into cells in an invitro experiment in one small french study some covid19 patients showed improvements but there was no way to know if the drug was the reason results published in april from another study in france and one in china found no benefit in patients treated with the drug dozens more clinical studies are underway around the world3 roche actemra tocilizumab type drug status repurposed early results 03 monthsmonoclonal antibody approved for rheumatoid arthritis and also for treating the cytokine storm immune overresponse in cancer patients fifteen registered trials in china europe and the united states are testing it on covid19 patients alone or in comparison to other therapies one french trial is looking at 28day effects on covid19 in patients with advanced or metastatic cancer4 sanofi regeneron pharmaceuticals kevzara sarilumab type drug status repurposed early results 03 monthsmonoclonal antibody approved for inflammatory arthritis and in trials targeting the cytokine storm immune response in severely ill covid19 patients regenerons chief scientific officer has said initial data on effectiveness could come by late april5 novartis incyte jakavi ruxolitinib type drug status repurposed early results 03 monthsdeveloped to treat inflammatory and autoimmune diseases and in latestage development as a cream for atopic dermatitis one trial each in canada and mexico will test the drug in covid19 patients with severe respiratory symptoms associated with the cytokine storm immune response with preliminary results expected by june 2020 in the united states novartis established a managed access program for use in severevery severe covid19 illness on april 76 modernaniaid mrna 1273 type vaccine status experimental early results 03 monthsrna vaccine made with messengerrna mrna encoding the spike protein of sarscov2 encapsulated in a lipid nanoparticle the phase 1 trial with 45 subjects aged 1855 at three locations in the united states will evaluate the vaccines safety and provide early data on the immune response it induces trial completion is anticipated to be june 1 20207 convalescent plasmatype nondrug therapy early results 03 monthsblood plasma from recovered covid19 patients is transfused into patients who are currently ill in the hope the freshlymade antibodies it contains will help fight the virus the method has been used for more than 100 years and carries little risk of harm or side effects small case studies suggest it may help reduce virus levels and controlled trials are in progress in china europe and the united states to gather stronger evidence for a benefit results published in april from a study in 10 patients with severe illness in china found significant improvement compared to similar patients who did not receive the treatmentcaveats immediately available and already in limited use but supply of plasma from recovered patients may not be sufficient to meet all needs further studies of recovered patients must also determine if everyone produces a full immune response to the infection including neutralizing antibodies at sufficiently high levels to become donors8 abbvie kaletra lopinavirritonavir type drug status repurposed early results 03 monthsantiviral combination used to treat and prevent hiv infections more than twenty trials around the world are testing the drug as a covid19 treatment or postexposure prophylaxis for people with highrisk close contact with a confirmed case initial results expected as soon as may 2020caveats one randomized controlled trial in china published results in march showing no differences in viral load or 28day mortality among 199 patients median time to clinical improvement was one day shorter in patients taking the drug however the same investigators doctors at jinyintan hospital in wuhan said in april that they believe kaletra as well as a second drug bismuth potassium citrate helped some of the covid19 patients they treated9 chongqing public health medical center chongqing sidemu biotechnology technology coltd nkg2dace2 carnk cells type nondrug therapy status experimental early results 03 monthsnkg2d receptor for the immune systems natural killer nk cells paired with the ace2 receptor that the coronavirus uses to enter human cells a multicenter phase 12 trial in 90 patients is testing whether this cell therapy can prevent the sarscov2 virus from entering cells and multiplying and will look at efficacy over 28 days in patients with severe or critical covid19 pneumonia10 novavax nvxcov2373 type vaccine status experimental early results 03 monthsnovavax said its matrixm adjuvant would be used with the vaccine candidate nvxcov2373 to enhance immune responses trials in 130 adults is expected to begin in midmay with preliminary immunogenicity and safety results in july according to the companycaveats strong immunogenicity in animal tests but might require two doses in humans which would limit supply11 apeiron biologics rhace2 apn01 type drug status experimental early results 36 monthsa recombinant human angiotensin converting enzyme 2 rhace2 under phase2 clinical development in ali acute lung injury and pah pulmonal arterial hypertension this synthetic version of the human protein that the novel coronavirus uses to enter cells is being tested in austria to see if it can block viral entry and decrease viral replication in covid19 patients reducing deaths or need for mechanical ventilation preliminary results from the trial that was announced on april 2 are expected in september 202012 shenzhen genoimmune medical institute lentiviral minigene vaccines lvsmenptype vaccine status experimental early results 36 monthsengineered minigenes encoding viral antigens lentiviral vector designed to infect dendritic and t cells to induce immunity the trial in 100 adults in shenzen china is expected to be complete by july 31 202013 murdoch childrens research institute umc utrecht bcg tuberculosis vaccine type vaccine status repurposed early results 36 monthsbacillus calmetteguérin tuberculosis vaccine that induces a broad innate immunesystem response which has been shown to protect against infection or severe illness with other respiratory pathogens large trials in australia and the netherlands are testing whether using bcg to revup immune defenses in health workers and the elderly reduces unplanned absenteeism respiratory illnesses including covid19 severe illnesses and deaths two additional trials by the max planck institute in germany of a tb vaccine candidate vpm1002 are in the works14 inovio pharmaceuticals coalition for epidemic preparedness innovations cepi ino4800 type vaccine status experimental early results 36 monthsdna plasmid vaccine delivered into the skin via a patchstyle electroporation device a clinical trial launched on april 3 could yield preliminary data by late summer according to the company which has said it can manufacture 1 million doses by yearend for additional trials and emergency use15 university of aarhus denmark camostat mesylatetype drug status repurposed early results 612 monthsprotease inhibitor licensed in japan and south korea to treat chronic pancreatitis in vitro experiments found it blocks a mechanism sarscov2 uses to enter human cells as of early april an estimated 180 covid19 patients aged 18110 were being recruited at nine locations in denmark for a phase 2a trial that will examine 30day changes in disease severity and mortality with results expected by december 2020 the university of tokyo also announced plans for a trial of camostat mesylate and a related drug nafamostat mesylate starting as early as april 202016 inflarx ifx1 type drug status experimental early results 612 monthsmonoclonal antibody targeting complement activation product c5a designed to block a mechanism of inflammation the drug is also in clinical trials for hidradenitis suppurativa ancaassociated vasculitis and pyoderma gangraenosum in early april a trial in the netherlands launched to test ifx1 in patients with severe covid19 pneumonia with preliminary results expected in late october 202017 cansino biological incbeijing institute of biotechnology ad5ncov type vaccine status experimental early results 612 monthsnonreplicating viral vector a singlecenter phase 1 trial with 108 subjects aged 1860 in wuhan hubei china started in march to test the safety and immune responses generated by a recombinant vaccine that uses another respiratory virus adenovirus as a vector on april 12 a randomized controlled phase 2 trial with 500 participants launched to test varying doses against placebo phase 1 completion is in late december 2020 and phase 2 results are expected in january 2021\n18 imperial college london aspirin clopidogrel rivaroxaban atorvastatin omeprazole type drug early results 912 monthstrial of cardioprotective drugs to prevent direct damage to the heart muscle that appears to drive the severity of covid19 in certain patients as well as their likelihood of needing invasive critical care the trial will include more than 3000 patients in the united kingdom with a completion date of march 30 2021\n19 university of oxford chadox1 type vaccine status experimental early results 1218 monthsnonreplicating chimpanzee adenovirus vector phase 12 trial with 510 subjects aged 1855 at four centers in the united kingdom the trial will test safety and immunogenicity of one or two doses of the vaccine and is expected to be completed in may 202120 serology antibody testingtype testing status experimental early results 012 monthsgovernments and academic groups have started to test blood for antibodies indicating that a person has been exposed to the new virus with or without showing symptoms the presence of antibodies indicates past infection but separate ongoing research is needed to know what type and concentration of virusneutralizing antibodies protect against a new infection whether all infections produce a full antibody response and how long protection might lastwide serology testing for antibodies will soon provide a broader understanding of the scope and dynamics of the pandemic help identify which recovered patients may have some immunity to reinfection and for how long and also help identify the neutralizing antibodies that could become templates for monoclonal antibody therapies as well as models for desired responses from a vaccine candidate data from serology testing are expected to begin appearing within weeks\ncaveatsearly data on covid19 patients in china suggests that most develop varying amounts of antibodies in response to infection one prepublication report analyzed plasma from 175 patients and found that a sign of inflammation correlated with higher antibody titers and that younger patients were less likely to produce large amounts of antibodiesexperts think instances of reinfection in recovered patients are more likely relapses in patients whose bodies had not cleared the virus data is still lacking on whether mild or symptomless infections generate meaningful antibody responses or protection", + "https://www.weforum.org/", + "TRUE", + 0.07563778409090904, + 2056 + ], + [ + "No, Megadoses Of Vitamin C Will Not Cure Coronavirus", + "the world is awash in treatments for covid19 the illness caused by coronavirus or at least thats what you might think if you just searched the internet\n\nthe truth is we dont yet have any effective treatments for covid19 although thousands of scientists are working furiously to try to create them\n\ntoday well look at just one of the supposed treatments which is being actively promoted on social media and many websites vitamin c\n\nfor those who dont want to read further ill start with the conclusion vitamin c wont help to prevent or to treat coronavirus infection i wish we had such a simple solution but we dont\n\nnow lets back up a bit why would anyone think that vitamin c might be effective in treating this terrible virus vitamin c is an essential nutrient and we all need it but most people get plenty of vitamin c in their normal diet as ive written before taking vitamin c supplements is unnecessary but probably harmless although megadoses carry the risk of kidney stonesthe modern craze with vitamin c started with linus pauling a brilliant chemist and a nobel prize winner late in his career he wrote a book promoting vitamin c as a miracle cure for many illnesses including the common cold which is caused by a virus he had very little good evidence for this belief but his promotion of vitamin c led to hundreds of studies testing his hypothesis the bottom line vitamin c doesnt work at preventing or curing the common cold see paul offits book if you want more details on this and many other miracle cures\n\nbut wait someone might object havent some of those vitamin c studies as in this review paper shown a benefit against the common cold well yes but when you run hundreds of studies of a treatment that doesnt work this is what happens negative studies are hard to get published but positive studies are easier run enough studies and a few of them merely by chance will show a small positive effect thats what weve seen with vitamin ctoday though everyone is looking for a cure for covid19 and not surprisingly many people even some doctors are claiming vitamin c is the answer ive seen twitter users explain very confidently that you just need to take 12000 mg of vitamin c and youll get better this website comes right out and states that highdose vitamin c will cure coronavirus based on a widelyshared video from a doctor in china i wont provide the link because it has already done enough damage\n\nits almost impossible to disprove a claim that a treatment works for example i could claim that ginger snap cookies help to prevent coronavirus infection thats right ginger snaps made with real ginger which seems to have magical curative properties if you object i could demand that you prove me wrongbut the onus is on me as the one making the claim to first provide some genuine evidence we havent seen anything like that for vitamin c\n\nwe need wellcontrolled experiments to know with any confidence that a treatment works some doctors at wuhan university have started a trial of vitamin c to see if it has any benefits for covid19 but results wont be available for many months im skeptical but at least theyre approaching the question the right way\n\ndozens of studies of new treatments for covid19 are being launched right now with remarkable speed due to the urgency of the pandemicthe who has just launched trials of the 4 most promising existing drugs which dont include vitamin c i should add to obtain a believable positive result we need to see evidence that a carefully administered treatment provides a significant benefit over what were doing nowwhich is little more than supportive care unfortunately\n\nmeanwhile well have to wait and hope that one of the plausible efforts currently under way will yield an effective treatment weve been down this road too many times with vitamin c though and the chances that it will have any effect are based on past experience close to zero", + "https://www.forbes.com/", + "TRUE", + 0.07488026410723778, + 689 + ], + [ + "What is community spread?", + "community spread means people have been infected with the virus in an area including some who are not sure how or where they became infected", + "https://www.cdc.gov/", + "TRUE", + -0.25, + 25 + ], + [ + "What exactly is Covid-19?", + "coronaviruses are a large group of viruses that are known to infect both humans and animals and in humans cause respiratory illness that range from common colds to much more serious infections the most wellknown case of a coronavirus epidemic was severe acute respiratory syndrome sars which after first being detected in southern china in 2002 went on to affect 26 countries and resulted in more than 8000 cases and 774 deathswhile the cause of the current outbreak was initially unknown on january 7 chinese health authorities identified that it was caused by to a strain of coronavirus that hadnt been encountered in humans before five days later the chinese government shared the genetic sequence of the virus so that other countries could develop their own diagnostic kits that virus is now called sarscov2although symptoms of coronaviruses are often mild the most common symptoms are a fever and dry cough in some cases they lead to more serious respiratory tract illness including pneumonia and bronchitis these can be particularly dangerous in older patients or people who have existing health conditions and this appears to be the case with covid19 a study of 44415 early chinese covid19 patients found that 81 per cent of people with confirmed infections experienced only mild symptoms of the remaining cases 14 per cent were in a severe condition while five per cent of people were critical cases suffering from respiratory failure septic shock or multiple organ failure in the chinese study 23 per cent of all confirmed cases died although the actual death rate is probably much lower as many more people will have been infected with the virus than tested positive", + "https://www.wired.co.uk/", + "TRUE", + 0.13007866117622213, + 277 + ], + [ + "What to Do If You Are Sick", + "if you have a fever cough or other symptoms you might have covid19 most people have mild illness and are able to recover at home if you think you may have been exposed to covid19 contact your healthcare provider immediatelykeep track of your symptomsif you have an emergency warning sign including trouble breathing get medical attention right awaysteps to help prevent the spread of covid19 if you are sick follow the steps below if you are sick with covid19 or think you might have covid19 follow the steps below to care for yourself and to help protect other people in your home and communityhouse user iconstay home except to get medical care stay home most people with covid19 have mild illness and can recover at home without medical care do not leave your home except to get medical care do not visit public areastake care of yourself get rest and stay hydrated take overthecounter medicines such as acetaminophen to help you feel better\nstay in touch with your doctor call before you get medical care be sure to get care if you have trouble breathing or have any other emergency warning signs or if you think it is an emergencyavoid public transportation ridesharing or taxisseparate yourself from other people as much as possible stay in a specific room and away from other people and pets in your home if possible you should use a separate bathroom if you need to be around other people or animals in or outside of the home wear a cloth face coveringadditional guidance is available for those living in close quarters and shared housingsee covid19 and animals if you have questions about petstemperature high iconmonitor your symptomssymptoms of covid19 include fever cough and shortness of breath but other symptoms may be present as well trouble breathing is a more serious symptom that means you should get medical attentionfollow care instructions from your healthcare provider and local health department your local health authorities may give instructions on checking your symptoms and reporting informationwhen to seek emergency medical attentionlook for emergency warning signs for covid19 if someone is showing any of these signs seek emergency medical care immediatelytrouble breathingpersistent pain or pressure in the chestnew confusioninability to wake or stay awakebluish lips or face this list is not all possible symptoms please call your medical provider for any other symptoms that are severe or concerning to youcall 911 or call ahead to your local emergency facility notify the operator that you are seeking care for someone who has or may have covid19\nmobile iconcall ahead before visiting your doctorcall ahead many medical visits for routine care are being postponed or done by phone or telemedicine\nif you have a medical appointment that cannot be postponed call your doctors office and tell them you have or may have covid19 this will help the office protect themselves and other patientshead side mask iconif you are sick wear a cloth covering over your nose and mouthyou should wear a cloth face covering over your nose and mouth if you must be around other people or animals including pets even at homeyou dont need to wear the cloth face covering if you are alone if you cant put on a cloth face covering because of trouble breathing for example cover your coughs and sneezes in some other way try to stay at least 6 feet away from other people this will help protect the people around youcloth face coverings should not be placed on young children under age 2 years anyone who has trouble breathing or anyone who is not able to remove the covering without helpnote during the covid19 pandemic medical grade facemasks are reserved for healthcare workers and some first responders you may need to make a cloth face covering using a scarf or bandanabox tissue iconcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneezethrow away used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholhands wash iconclean your hands oftenwash your hands often with soap and water for at least 20 seconds this is especially important after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing fooduse hand sanitizer if soap and water are not available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel drysoap and water are the best option especially if hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handshandwashing tips no iconavoid sharing personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people in your homewash these items thoroughly after using them with soap and water or put in the dishwashercleaning iconclean all hightouch surfaces everydayclean and disinfect hightouch surfaces in your sick room and bathroom wear disposable gloves let someone else clean and disinfect surfaces in common areas but you should clean your bedroom and bathroom if possibleif a caregiver or other person needs to clean and disinfect a sick persons bedroom or bathroom they should do so on an asneeded basis the caregiverother person should wear a mask and disposable gloves prior to cleaning they should wait as long as possible after the person who is sick has used the bathroom before coming in to clean and use the bathroom hightouch surfaces include phones remote controls counters tabletops doorknobs bathroom fixtures toilets keyboards tablets and bedside tablesclean and disinfect areas that may have blood stool or body fluids on them use household cleaners and disinfectants clean the area or item with soap and water or another detergent if it is dirty then use a household disinfectantbe sure to follow the instructions on the label to ensure safe and effective use of the product many products recommend keeping the surface wet for several minutes to ensure germs are killed many also recommend precautions such as wearing gloves and making sure you have good ventilation during use of the product most eparegistered household disinfectants should be effective a full list of disinfectants can be found hereexternal iconcomplete disinfection guidance house leave icon how to discontinue home isolationpeople with covid19 who have stayed home home isolated can leave home under the following conditions if you have not had a test to determine if you are still contagious you can leave home after these three things have happenedyou have had no fever for at least 72 hours that is three full days of no fever without the use of medicine that reduces fevers and other symptoms have improved for example when your cough or shortness of breath have improved and at least 10 days have passed since your symptoms first appeared if you have had a test to determine if you are still contagious you can leave home after these three things have happenedyou no longer have a fever without the use of medicine that reduces fevers and other symptoms have improved for example when your cough or shortness of breath have improved and you received two negative tests in a row at least 24 hours apart your doctor will follow cdc guidelines people who did not have covid19 symptoms but tested positive and have stayed home home isolated can leave home under the following conditionsif you have not had a test to determine if you are still contagious you can leave home after these two things have happened at least 10 days have passed since the date of your first positive test and you continue to have no symptoms no cough or shortness of breath since the testif you have had a test to determine if you are still contagious you can leave home afteryou received two negative tests in a row at least 24 hours apart your doctor will follow cdc guidelinesnote if you develop symptoms follow guidance above for people with covid19 symptomsin all cases follow the guidance of your doctor and local health department the decision to stop home isolation should be made in consultation with your healthcare provider and state and local health departments some people for example those with conditions that weaken their immune system might continue to shed virus even after they recover", + "https://www.cdc.gov/", + "TRUE", + 0.02621212121212122, + 1403 + ], + [ + "How does a virus shift from zoonotic to human-to-human transmission?", + "when a virus passes from a nonhuman animal into a human we call that moment of spillover a zoonotic transmission its an ecological event what happens next depends on evolutionary potential and chance if the virus is adaptable it may succeed in replicating and proliferating in the new human host maybe it kills the person and the line of transmission comes to an end thereas happens with rabies but if the virus is even more adaptable it may acquire the ability to pass from one human host to another perhaps by sexual contact as with hiv perhaps in bodily fluids such as blood as with ebola perhaps in respiratory droplets launched by coughing or sneezing as with influenza or sars what makes a virus adaptable the changeability of its genome plus darwinian natural selection those viruses with singlestranded rna genomes which replicate themselves inaccurately and therefore have highly changeable genomes are among the most adaptable coronaviruses belong to that group", + "https://www.globalhealthnow.org/", + "TRUE", + 0.16402597402597402, + 160 + ], + [ + "COVID-19 basics\nSymptoms, spread and other essential information about the new coronavirus and COVID-19", + "as we continually learn more about coronavirus and covid19 it can help to reacquaint yourself with some basic information for example understanding how the virus spreads reinforces the importance of social distancing and other healthpromoting behaviors knowing how long the virus survives on surfaces can guide how you clean your home and handle deliveries and reviewing the common symptoms of covid19 can help you know if its time to selfisolate what is coronaviruscoronaviruses are an extremely common cause of colds and other upper respiratory infectionswhat is covid19 covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirushow many people have covid19the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continentdo adults younger than 65 who are otherwise healthy need to worry about covid19yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to otherswhat are the symptoms of covid19some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixturescan covid19 symptoms worsen rapidly after several days of illnesscommon symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face one of the symptoms of covid19 is shortness of breath what does that meanshortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm down however if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is over\nmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problemcan covid19 affect brain functioncovid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attentionis a lost sense of smell a symptom of covid19 what should i do if i lose my sense of smellincreasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate\nhow long is it between when a person is exposed to the virus and when they start showing symptomsrecently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposurehow does coronavirus spreadthe coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyeshow could contact tracing help slow the spread of covid19anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomshow deadly is covid19the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadlywill warm weather slow or stop the spread of covid19some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virushow long can the coronavirus stay airborne i have read different estimatesa study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020how long can the coronavirus that causes covid19 survive on surfacesa recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfacesshould i accept packages from chinathere is no reason to suspect that packages from china harbor coronavirus remember this is a respiratory virus similar to the flu we dont stop receiving packages from china during their flu season we should follow that same logic for the virus that causes covid19can i catch the coronavirus by eating food handled or prepared by otherswe are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwichesthe flu kills more people than covid19 at least so far why are we so worried about covid19 shouldnt we be more focused on preventing deaths from the fluyoure right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19should i get a flu shotwhile the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.07404994062290714, + 2664 + ], + [ + "Coronavirus may never go away, World Health Organization warns", + "the coronavirus may never go away the world health organization who has warnedspeaking at a briefing on wednesday who emergencies director dr mike ryan warned against trying to predict when the virus would disappearhe added that even if a vaccine is found controlling the virus will require a massive effortalmost 300000 people worldwide are reported to have died with coronavirus and more than 43m cases recordedthe un meanwhile warned the pandemic was causing widespread distress and mental ill health particularly in countries where theres a lack of investment in mental healthcarethe un urged governments to make mental health considerations part of their overall responsewhat did who sayit is important to put this on the table this virus may become just another endemic virus in our communities and this virus may never go away dr ryan told the virtual press conference from genevahiv has not gone away but we have come to terms with the virusdr ryan then said he doesnt believe anyone can predict when this disease will disappearthere are currently more than 100 potential vaccines in development but dr ryan noted there are other illnesses such as measles that still havent been eliminated despite there being vaccines for themwho directorgeneral tedros adhanom ghebreyesus stressed it was still possible to control the virus with effortthe trajectory is in our hands and its everybodys business and we should all contribute to stop this pandemic he saidwho epidemiologist maria van kerkhove also told the briefing we need to get into the mindset that it is going to take some time to come out of this pandemictheir stark remarks come as several countries began to gradually ease lockdown measures and leaders consider the issue of how and when to reopen their economiesdr tedros warned that there was no guaranteed way of easing restrictions without triggering a second wave of infectionsmany countries would like to get out of the different measures the who boss said but our recommendation is still the alert at any country should be at the highest level possibledr ryan added there is some magical thinking going on that lockdowns work perfectly and that unlocking lockdowns will go great both are fraught with dangers", + "https://www.bbc.com/", + "TRUE", + 0.13055555555555556, + 363 + ], + [ + "Fauci warned that coronavirus could likely become seasonal", + "dr anthony fauci the nations top infectiousdisease expert said sunday that the novel coronavirus could likely become seasonal as he emphasized the possibility of a resurgence in the outbreak later this yearfauci said on cbss face the nation that even if the global number of cases shrinks to a significantly low number the difficulty in containing the outbreak means it is unlikely to be completely eradicated from the planet and the next season could see a second rise of the outbreakin that case fauci said the federal government is pushing so hard to improve its preparedness including developing a vaccine and completing clinical trials on therapeutic interventionshopefully if in fact we do see that resurgence we will have interventions that we did not have in the beginning of the situation that were in right now he saidfauci previously said that the earliest the us could get a coronavirus vaccine would be in 12 to 18 months an impressive timeline for a vaccine as fundraisers like bill gates rushed to support earlystage candidatesthere are currently at least 40 vaccines for the novel coronavirus in development according to the world health organization some of which have advanced to conducting human trialsthe infectious disease expert also said sunday that it would be a false statement to say the us government has the outbreak under control despite president donald trumps regular reassurances on behalf of his administrationthe us is currently the global epicenter for the pandemic with more than 324000 cases and at least 9100 deaths", + "https://www.businessinsider.com/", + "TRUE", + 0.0376082251082251, + 252 + ], + [ + "COVID-19 (coronavirus) vaccine: Get the facts", + "covid19 coronavirus vaccine get the facts a vaccine to prevent coronavirus disease 2019 covid19 is perhaps the best hope for ending the pandemic currently there is no vaccine to prevent covid19 but researchers are racing to create onecoronavirus vaccine researchcoronaviruses are a family of viruses that cause illnesses such as the common cold severe acute respiratory syndrome sars and middle east respiratory syndrome mers covid19 is caused by a virus thats closely related to the one that causes sars for this reason scientists named the new virus sarscov2\nwhile vaccine development can take years researchers arent starting from scratch to develop a covid19 vaccine past research on sars and mers vaccines has identified potential approachescoronaviruses have a spikelike structure on their surface called an s protein the spikes create the coronalike or crownlike appearance that gives the viruses their name the s protein attaches to the surface of human cells a vaccine that targets this protein would prevent it from binding to human cells and stop the virus from reproducingcoronavirus vaccine challengespast research on vaccines for coronaviruses has also identified some challenges to developing a covid19 vaccine includingensuring vaccine safety several vaccines for sars have been tested in animals most of the vaccines improved the animals survival but didnt prevent infection some vaccines also caused complications such as lung damage a covid19 vaccine will need to be thoroughly tested to make sure its safe for humans\nproviding longterm protection after infection with coronaviruses reinfection with the same virus though usually mild and only happening in a fraction of people is possible after a period of months or years an effective covid19 vaccine will need to provide people with longterm infection protection\nprotecting older people people older than age 50 are at higher risk of severe covid19 but older people usually dont respond to vaccines as well as younger people an ideal covid19 vaccine would work well for this age grouppathways to develop and produce a covid19 vaccineglobal health authorities and vaccine developers are currently partnering to support the technology needed to produce vaccines some approaches have been used before to create vaccines but some are still quite newlive vaccineslive vaccines use a weakened attenuated form of the germ that causes a disease this kind of vaccine prompts an immune response without causing disease the term attenuated means that the vaccines ability to cause disease has been reducedlive vaccines are used to protect against measles mumps rubella smallpox and chickenpox as a result the infrastructure is in place to develop these kinds of vaccineshowever live virus vaccines often need extensive safety testing some live viruses can be transmitted to a person who isnt immunized this is a concern for people who have weakened immune systemsinactivated vaccinesinactivated vaccines use a killed inactive version of the germ that causes a disease this kind of vaccine causes an immune response but not infection inactivated vaccines are used to prevent the flu hepatitis a and rabieshowever inactivated vaccines may not provide protection thats as strong as that produced by live vaccines this type of vaccine often requires multiple doses followed by booster doses to provide longterm immunity producing these types of vaccines might require the handling of large amounts of the infectious virus\ngenetically engineered vaccinesthis type of vaccine uses genetically engineered rna or dna that has instructions for making copies of the s protein these copies prompt an immune response to the virus with this approach no infectious virus needs to be handled while genetically engineered vaccines are in the works none has been licensed for human usethe vaccine development timelinethe development of vaccines can take years this is especially true when the vaccines involve new technologies that havent been tested for safety or adapted to allow for mass productionwhy does it take so long first a vaccine is tested in animals to see if it works and if its safe this testing must follow strict lab guidelines and generally takes three to six months the manufacturing of vaccines also must follow quality and safety practicesnext comes testing in humans small phase i clinical trials evaluate the safety of the vaccine in humans during phase ii the formulation and doses of the vaccine are established to prove the vaccines effectiveness finally during phase iii the safety and efficacy of a vaccine need to be demonstrated in a larger group of peoplebecause of the seriousness of the covid19 pandemic vaccine regulators might fasttrack some of these steps but its unlikely that a covid19 vaccine will become available sooner than six months after clinical trials start realistically a vaccine will take 12 to 18 months or longer to develop and test in human clinical trials and we dont know yet whether an effective vaccine is possible for this virusif a vaccine is approved it will take time to produce distribute and administer to the global population because people have no immunity to covid19 its likely that two vaccinations will be needed three to four weeks apart people would likely start to achieve immunity to covid19 one to two weeks after the second vaccinationa lot of work remains still the number of pharmaceutical companies governments and other agencies working on a covid19 vaccine is cause for hopehow to protect yourself and prevent covid19 infection until a covid19 vaccine is available infection prevention is crucial the centers for disease control and prevention cdc recommend following these precautions for avoiding covid19avoid close contact this means avoiding close contact within about 6 feet or 2 meters with anyone who is sick or has symptoms also avoid large events and mass gatheringswear cloth face coverings in public places cloth face coverings offer extra protection in places such as the grocery store where its difficult to avoid close contact with others they are especially suggested in areas with ongoing community spread this updated advice is based on data showing that people with covid19 can transmit the virus before they realize they have it using masks in public may help reduce the spread from people who dont have symptoms nonmedical cloth masks are recommended for the public surgical masks and n95 respirators are in short supply and should be reserved for health care providers\npractice good hygiene wash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains at least 60 alcohol cover your mouth and nose with your elbow or a tissue when you cough or sneeze throw away the used tissue avoid touching your eyes nose and mouth avoid sharing dishes glasses bedding and other household items if youre sick clean and disinfect hightouch surfaces daily\nstay home if youre sick if you arent feeling well stay home unless youre going to get medical care avoid going to work school and public areas and dont take public transportationif you have a chronic medical condition and may have a higher risk of serious illness check with your doctor about other ways to protect yourself", + "https://www.mayoclinic.org/", + "TRUE", + 0.07464321392892824, + 1162 + ], + [ + "Can I catch COVID-19 from the faeces of someone with the disease?", + "while initial investigations suggest the virus may be present in faeces in some cases to date there have not been reports of faecaloral transmission of covid19 additionally there is no evidence to date on the survival of the covid19 virus in water or sewagewho is assessing ongoing research on the ways covid19 is spread and will continue to share new findings on this topic", + "https://www.who.int/", + "TRUE", + 0.04545454545454545, + 64 + ], + [ + "Coronavirus vaccine research is moving at record speed", + "the science is fast but the virus is faster in a suburb south of boston robots have already started manufacturing a potential vaccine against the fastspreading coronavirus another candidate vaccine developed when a similar virus terrified the world sits in deep freeze in a repository in houston ready to be thawed and formulated into thousands of vials for further testing yet another is being put together at facilities in san diego and houston with projections that it could be tested in people by summerto scientists the work to create a vaccine against the new coronavirus is advancing with a speed they could barely have imagined a decade ago at the same time its not even close to quick enough to contain the spreading infection and in many ways the outbreak will test the capacity of science to react in real time to a new and unknown pathogen x that takes the world by surprisetraditional vaccine development efforts have usually taken decades not months said barney graham deputy director of the vaccine research center at the national institutes of health which hopes to have a vaccine in human testing by april this is first a response to this new virus but its also a drill for pathogen x to press the system to see how rapidly we can gowhen a mysterious new illness emerges and public alarm is at its peak theres a race to develop a way to prevent or treat the disease but by the time a promising candidate is ready its often too late to be helpful against the outbreak that triggered the rush public interest funding and the urgency that drove the early vaccine development can quickly taperwe were getting candidate vaccines the epidemics would die down and theyd get put back on the shelf said jacqueline shea chief scientific officer of inovio a biotech company that has been developing vaccines for zika ebola and middle east respiratory syndromethats what happened with severe acute respiratory syndrome sars to the dismay of peter jay hotez codirector of the texas childrens hospital center for vaccine development eight years ago he and his codirector maria elena bottazzi won federal funding to create a vaccine against sars a coronavirus that emerged in 2002 and infected 8000 people and killed nearly 800 by 2016 they had manufactured enough of the potential vaccine to get through toxicology tests and human safety trialsbut the team tried and failed to win various grants to bring their experimental vaccine through further testing they say about 2 million could have funded essential and timeconsuming toxicology studies and ready it for phase 1 trials the technical term for the firstinhumans studies that typically determine the dosing and safety of a drug although the threat of sars has receded it was becoming increasingly clear that coronaviruses long thought to cause mild illness were able to cause serious pandemicswhen the new coronavirus genome sequence was posted to an online genetic databank in early january hotez immediately saw the close similarity to sars and realized the samples sitting in storage had the potential to defend against the new virushad we been able to secure the investment we could have done all the phase 1 trials we could have potentially been ready to vaccinate in china now hotez said this is the problem with the whole vaccine infrastructure its reactive not anticipatory enough oh sars is gone now lets move onwhat the scientific response to the new coronavirus has shown so far is how the first step in the process designing and even beginning to manufacture the vaccine can happen nearly overnight thanks to the emergence of new technologiesscientists at the national institutes of health were strategizing with a massachusetts biotech company moderna over the winter holiday break about collaborating to build a vaccine for the virus as soon as the genome of the virus was posted online nih designed the piece of the vaccine that should trigger the immune system to recognize and disable the virus nih sent its design to moderna which could integrate it into its virus platform and rapidly scale up manufacturing nih hopes to have the vaccine in the first safety trials by aprilat inovio a biotech company headquartered outside philadelphia a team began working on designing a vaccine hours after the sequence appeared shea said the company farmed out production of one piece of its vaccine to a contract laboratory in houston and is making the other component at its facility in san diego the company is gearing up for the lab and animal tests that will be necessary before safety trials in peoplepharmaceutical giant johnson johnson has also jumped into the vaccine effort and estimates it will be eight to 12 months before its candidate is ready for testing in people many countries are also working on different approaches in parallelthe actual technical feat of making a vaccine against this virus is probably not going to be that hard hotez said the problem is you cant avoid or even compress the timelines very much for safety testingthat means scientists are flooded with public interest in their vaccine efforts right now and must temper their excitement with the reality that there will be a monthslong wait at minimum for a vaccine thats ready for its first tests in peoplewhat is the value of a vaccine if development takes a year in the context of the current situation which seems to be moving very rapidly the value of a vaccine is we dont actually know what the trajectory of the epidemic could be said richard hatchett chief executive of the coalition for epidemic preparedness innovations a global alliance that is funding the inovio and moderna efforts and another vaccine being created by researchers at the university of queensland in australiafor example if the outbreak is still raging after initial safety tests it is possible experimental vaccines could be used to protect people on the front lines of treating the disease or in emergency situations before they are approved for the general population as happened with ebola when ebola devastated west africa in 2014 a vaccine was not ready but when the virus resurfaced in 2019 in congo more than 200000 people were vaccinatedif the infections have begun to subside by the time vaccines are through the first round of safety testing getting a vaccine approved would still be useful in case the virus flares again but showing it is safe for healthy people in the general population will take time and continued effortin the meantime researchers are also looking at ways of quickly repurposing existing antiviral drugs to see whether any might work against the coronavirus paul stoffels chief scientific officer of johnson johnson said the company has donated 100 boxes of an hiv medication prezcobix to clinicians in shanghai to see whether it showed any efficacy against the illness purdue university researchers hope to test experimental drugs that were initially developed to fight sars at the university of north carolina at chapel hill researchers have been gearing up to test remdesivir an experimental antiviral drug that has shown promise against other coronaviruses but failed against ebolabut every step takes time even having the right laboratory tests ingredients and animal models of the disease are crucial and timeconsuming steps laboratories have been waiting for the viral genome to be synthesized by companies and are anxious to get samples of the actual virusa decade after sars another coronavirus emerged that caused middle east respiratory syndrome mers many say the coronavirus in china is a lesson that this family of viruses will continue to cross from animals into humans and cause potential pandemics that means scientists would like to be prepared with vaccine platforms that can be readily adapted to new infections and antiviral drugs that work broadly for multiple diseasesemerging viruses theyre a moving target they come and they go and sometimes they come and they dont go but its impossible to predict the trajectory of an emerging virus said timothy sheahan assistant professor at the gillings school of global public health at the university of north carolina so one way were trying to maximize the utility of a given antiviral drug is to develop broadspectrum antivirals rather than have one drug for one bug we want one drug for many bugs", + "https://www.washingtonpost.com/", + "TRUE", + 0.08952516594516598, + 1384 + ], + [ + "5G mobile networks DO NOT spread COVID-19", + "viruses cannot travel on radio wavesmobile networks covid19 is spreading in many countries that do not have 5g mobile networkscovid19 is spread through respiratory droplets when an infected person coughs sneezes or speaks people can also be infected by touching a contaminated surface and then their eyes mouth or nose ", + "https://www.who.int/", + "TRUE", + 0.5, + 50 + ], + [ + "How long does coronavirus live on surfaces?", + "which surfaces are the most infectious and how do you disinfect them experts weigh intouching any surface suddenly seems dangerous in the era of the new coronavirusfingers might pick up the microbe which could lead to covid19 the illness spreading around the world when a person touches his or her face\nhow long does coronavirus live outside the bodythe centers for disease control and prevention estimates it could be viable for hours to daysa preliminary study published this week found the virus could be detected in the air for up to three hours after it was aerosolized with a nebulizer up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steelthe newest research which has not yet been peer reviewed was conducted by scientists at the national institutes of health princeton university the university of california and the cdcpreviously published studies have indicated coronaviruses in general not specifically the new one can last up to nine days on surfaces depending on the surface type the heat the humidity exposure to sunlight and other factors said joseph fair a virologist epidemiologist and nbc news science contributor\ncoronaviruses have been with us for millions of years not this one but other coronaviruses fair told todaysince theres no definitive data on the new bug yet scientists have to err on the side of caution about how long it can stay active he addedits important to note there hasnt been a documented case of a person getting infected from a surface contaminated with the new coronavirus according to the cdctransmission usually happens when people come in direct contact with respiratory droplets produced when a nearby infected person coughs or sneezes\nhow does that compare to other germsthe flu virus can stay active on some surfaces for up to 48 hours according to the cdcthe ebola virus can survive on doorknobs and countertops for several hoursthe norovirus can survive up to four weeks on surfaces said charles gerba a professor of microbiology and immunology at the university of arizonasome bacteria can last much longer fair saidwhat affects how long the coronavirus stays activefair called sunlight natures greatest disinfectant because the ultraviolet light inactivates bacteria and virusesyes the less porous a surface the more virus you will get on your hands when you touch it gerba saidyou will pick up on your finger 70 of the viruses on stainless steel surfaces versus only 1 from a cloth surface or money he notedthat being said fair advised people to avoid handling cash which he called one of the most filthy things in our society period paper money is made of cotton an absorbable surface that can get wet the new coronavirus can potentially stay active on it for up to nine days just like on other surfaces he saidwhich surfaces are the most infectiousany that are touched the most often fair said that includes bathroom faucet handles doorknobs elevator buttons hand rails and touchscreens on phones tablets and atmstheyre the dirtiest surfaces we come into contact with because so many people touch themwhat kills virusescommon cleaners with either bleach or alcohol as their active ingredient inactivate infectious viruses fair saidcoronaviruses are fairly sensitive to most disinfectants including bleach hydrogen peroxide and quaternary ammonium compounds gerba added if the label says the cleaner will kill the influenza virus or norovirus it will work against coronaviruses tooi would use disinfecting wipes because then you use the right dose of disinfectant and you usually let it dry so you get the right contact time for the disinfectant to work he notedhow often should you disinfect surfacesseveral times per day especially frequentlytouched items like a computer keyboard phones and tablets fair advisedits very good practice because those are the filthiest areas in your life he said", + "https://www.nbcnews.com/", + "TRUE", + 0.1712576503955815, + 638 + ], + [ + "Could export goods transmit SARS-CoV-2 infection around the world?", + "the likelihood of getting infected with sarscov2 the virus that causes covid19 through export goods originating from china or elsewhere is quite low although sarscov2 can survive on surfaces from 2 hours to 9 days it is vulnerable to heat changes in ph and common disinfectants since sarscov2 is an enveloped virus meaning it has a fragile outer layer it is less stable and more susceptible to disinfectants therefore the risk of an infected person contaminating commercial goods is lowand so is the risk of catching the disease from a package that has been transported and exposed to different conditions and temperaturesso feel free to order that dress from china or those leather shoes from italy while you are at it wash your hands and maybe wipe the surface with a disinfectant because informed preventive measures are what we need to stop both covid19 and the fear epidemic from spreading", + "https://www.globalhealthnow.org/", + "TRUE", + 0.05333333333333333, + 150 + ], + [ + "Treatments for COVID-19", + "what helps what doesnt and whats in the pipeline most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13075396825396823, + 111 + ], + [ + "Infectious Disease Expert Discusses What We Know about the New Virus in China", + "the first confirmed us case of a traveler infected with the virus behind chinas continuing pneumonia outbreak has health authorities on alert to prevent it from spreading the patienta man in his 30sreturned from the countrys city of wuhan where the virus appears to have originated to his home in snohomish county in washington state on january 15 he developed symptoms and sought treatment from his doctor on january 19 and a day later a real time reverse transcriptionpolymerase chain reaction rrtpcr test confirmed he had the virus the patient appears to be doing well and was being treated this week at a hospital in everett wash and placed in isolation out of an abundance of caution said a spokesperson for the us centers for disease control and prevention in a news briefing on tuesday afternoon the virus called 2019 novel coronavirus 2019ncov is known to have infected hundreds of people so far and chinese authorities have now reported at least 17 deaths it was first identified in wuhan late last year and is believed to have jumped from animals to humans at a local seafood market that also sold other wild animal meat authorities have since confirmed cases of humantohuman transmission the pathogen is a coronavirus a member of a family of viruses that include severe acute respiratory syndrome sars and middle east respiratory syndrome mers which caused major outbreaks in 2003 and 2012 respectively cases of 2019ncov have been confirmed in several other countries including thailand japan and south korea three us airportsin san francisco los angeles and new york citybegan screening travelers from wuhan last week such measures have now been expanded to two more airportsin atlanta and chicagoand passengers traveling to the us from wuhan will be funneled to those five locations the risk to the us public is low at this time according to the centers for disease control and prevention but the agency says it is working closely with other health organizations to contain the viruss spread national institute of allergy and infectious diseases director anthony fauci has been closely following developments related to the new virus scientific american spoke with fauci about 2019ncovs likely mode of transmission its similarity to other coronaviruses and the question of whether a vaccine is on the horizondo we know how the us patient contracted the virus he was not in any market where there may have been an animal reservoir and he does not recall coming into contact with someone who was ill thats not surprising often people contract respiratory infections without knowing the definite exposure source but he was in wuhan is the most likely source of this virus an animal market in wuhan it almost certainly came from an animalalmost certainly do you suspect the virus is transmitted via a respiratory route a respiratory infection is almost certainly transmitted through droplets respiratory spread is a very good guess we have not definitively proved that the virus entered through the respiratory tract but it is highly likely when you have symptoms of fever cough infiltrates in the lung and respiratory symptoms historically respiratory is the route how similar or different is the virus from other coronaviruses such as sars or mers first of all its a coronavirus the same family as sars it has some of the same molecular homology as sars its closer to sars than it is to mers but it isnt overwhelmingly close do we know the mortality rate of the new virus its a moving target its a rough estimate if you look at the number of cases its around 300 there have been six deaths so far editors note on wednesday several outlets reported that chinese authorities had announced 17 deaths and some had cited more than 540 cases were only seeing the ones who are hospitalized if there are asymptomatic infections the mortality rate would be much less among symptomatic people the mortality rate is around 2 percent it was 10 percent with sars and 30 to 35 percent with mers it may be less virulent than those two or it may evolve its too early to knowarent the symptoms of this viral infection similar to many other types of respiratory infection how can you tell them apart its a syndromic and epidemiological association if somebody comes into an emergency room in washington state with a respiratory illness and they havent been to china they probably have the flu or some other virus but if they came from wuhan its likely to be the new coronavirus the symptoms are very common to a number of viruses though so the association is based on epidemiology and is confirmed by the rrtpcr test how are the patients with this virus being treated its mostly symptomatic treatment there are experimental antivirals that have been used in vitro and in vivo if the patients need antibiotics for complicating bacterial infections you give them antibiotics if they need to be put on a respirator theyre put on a respirator most patients in china are doing well but a proportion of them are very ill and are on respirators how long will it be before we have a vaccine for this virus weve already started to develop a vaccine we got the genetic sequence from the chinese were partnering with a company called moderna to develop a messenger rnabased platform for a vaccine we will likely have a candidate in early phase i trials for safety in about three months that doesnt mean we will have a vaccine ready for use in three months even in an emergency that would take a year or more but were already on it how common are coronaviruses and how often do they jump from animals to humans coronaviruses represent 10 to 30 percent of common colds over the past 18 years weve had three coronaviruses from animal reservoirs sars mers and now this there could be several intermediary hosts but at least with sars and mers the primary host is thought to be a bat we dont know what the primary host is for this virus yet", + "https://www.scientificamerican.com/", + "TRUE", + 0.06195628646715604, + 1018 + ], + [ + "Where do coronaviruses come from?", + "coronaviruses are viruses that circulate among animals with some of them also known to infect humans\n\nbats are considered natural hosts of these viruses yet several other species of animals are also known to act as sources for instance middle east respiratory syndrome coronavirus merscov is transmitted to humans from camels and severe acute respiratory syndrome coronavirus1 sarscov1 is transmitted to humans from civet cats more information on coronaviruses can be found in the ecdc factsheet", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.17916666666666667, + 76 + ], + [ + "What is the risk of infection when travelling by plane?", + "the risk of being infected on an airplane cannot be excluded but is currently considered to be low for an individual traveller the risk of being infected in an airport is similar to that of any other place where many people gather if it is established that a covid19 case has been on an airplane other passengers who were at risk as defined by how near they were seated to the infected passenger will be contacted by public health authorities should you have questions about a flight you have taken please contact your local health authority for advice the european union aviation safety agency easa has recommended measures to be taken by national authorities such as thorough disinfecting and cleaning of aircraft after each flight serving highrisk destinations easa also recommended that airlines operating on all routes step up the frequency of cleaning disinfect as a preventative measure and ensure full disinfection of any aircraft which has carried a passenger who was suspected or confirmed as being infected with covid19 airport operators should similarly disinfect terminals regularly", + "https://www.ecdc.europa.eu", + "TRUE", + 0.06875, + 177 + ], + [ + "COVID-19: What our scientists are saying", + "our researchers are committed to ending the covid19 pandemic from vaccines to developing covid19 diagnostic and serology tests to modeling the spread of the virus this is what theyre saying from the front lines of the researchon covid19 research\neveryone in the room at the same time got that what he was talking about was something that was going to really change our lives you remember where you were when you realized what this was dr tom lynch fred hutch president and director on covid19 findings from trevor bedford\nsaving a city how seattles corporate giants banded together to flatten the curve fortune april 17\nserological tests can also be used to sample the population in order to form better estimates of the scale of infection and the death rate of the virus dr jesse bloom\nthe other coronavirus test we need axios march 28 the ability to sequence these viruses really rapidly has really had a profound impact on our ability to understand whats happening and understand the epidemiology of the virus dr jesse bloom\nhow genetic mapping is allowing scientists to track the spread of coronavirus npr march 19\none thing thats become clear is that genomics data gives you a much richer story about how the outbreak is unfolding dr trevor bedford\nhow coronavirus mutations can track its spread and disprove conspiracies national geographic march 26\nonce you have the antibody you can discover whether or not it neutralizes the virus whether it crossneutralizes another strain of coronavirus whether its potent and where it binds so then you can do three things you can use the antibody as a therapeutic a prophylactic or you can use information about that antibody to help make a vaccine dr marie pancera\nhutch team hunts for coronavirus antibodies fred hutch news service on covid19 risk for patients\npatients with hematologic blood malignancies we believe will have the biggest risk also patients who are in active chemotherapy and bone marrow transplant patients those are the ones with the most profound immune deficits dr steve pergam\nthe message thats very clear is that those who have comorbidities are at an increased risk from this infection we have a lot of concerns both from this paper and another one that suggest there are increased rates of major complications including the need for icu intubation and death in cancer patients as many are double and triple hits they not only have cancer but respiratory cardiac or other organ dysfunction as well dr steve pergam\nwe dont want to overburden the health care system with the worried well its a balance we want to be prepared but also make sure people dont panic if we panic there will be a run on the health care system dr steve pergam\ncoronavirus what cancer patients need to know fred hutch news service march 6\nindividuals who haveevidence of recovery and are no longer shedding virus can fully return to the workforce and keep society functioning dr trevor bedford\ncoronavirus sleuth outlines his apollo program for bringing down the pandemic geekwire march 18\non how covid19 has changed science things are happening in a matter of hours or days that normally take weeks or months it is going to help change the trajectory of this epidemic in the united states we are sharing everything there is a huge spirit of collaboration this is a major emergency and we all understand that dr keith jerome\nuw medicine deploys new and needed test for coronavirus fred hutch news service march 4\nthis is a wonderful response from the biomedical community to an epidemic its both gratifying and problematic in the sense of how do you winnow all this down dr larry corey on covid19 vaccine trials with recordsetting speed vaccinemakers take their first shots at the new coronavirus science march 31\non the one hand there is the rise of network science and on the other there is the enormous rise in computing power dr elizabeth halloran\nmapping the social network of coronavirus the new york times march 13the idea of a phylogenetic tree is common in this field but weve tried to also make something that is beautiful and interactive and is accessible and easy to read for nonexperts including the public dr trevor bedfordthe nature of viruses is to mutate mapping the spread of a deadly disease vanity fair march 11", + "https://www.fredhutch.org/", + "TRUE", + 0.16402278599953019, + 732 + ], + [ + "HOW LONG CAN THE VIRUS THAT CAUSES COVID-19 LIVE ON SURFACES?", + "according to a recent study published in the new england journal of medicine sarscov2 the virus that causes covid19 can live in the air and on surfaces between several hours and several days the study found that the virus is viable for up to 72 hours on plastics 48 hours on stainless steel 24 hours on cardboard and 4 hours on copper it is also detectable in the air for three hoursvolkin according to this report it sounds like the covid19 virus is potentially living on surfaces for days how worried should we be about our risk of becoming infected simply by touching something an infected person was in contact with days ago\nmachamer whats getting a lot of press and is presented out of context is that the virus can last on plastic for 72 hourswhich sounds really scary but whats more important is the amount of the virus that remains its less than 01 of the starting virus material infection is theoretically possible but unlikely at the levels remaining after a few days people need to know thiswhile the new england journal of medicine study found that the covid virus can be detected in the air for 3 hours in nature respiratory droplets sink to the ground faster than the aerosols produced in this study the experimental aerosols used in labs are smaller than what comes out of a cough or sneeze so they remain in the air at facelevel longer than heavier particles would in naturewhat is the best way i can protect myself knowing that the virus that causes covid19 lives on surfacesyou are more likely to catch the infection through the air if you are next to someone infected than off of a surface cleaning surfaces with disinfectant or soap is very effective because once the oily surface coat of the virus is disabled there is no way the virus can infect a host cell however there cannot be an overabundance of caution nothing like this has ever happened beforethe cdc guidelines on how to protect yourself includeclean and disinfect surfaces that many people come in contact with these include tables doorknobs light switches countertops handles desks phones keyboards toilets faucets and sinks avoid touching highcontact surfaces in public\nwash your hands often with soap and water for at least 20 seconds immediately when you return home from a public place such as the bank or grocery store\nwhen in a public space put a distance of six feet between yourself and othersmost importantly stay home if you are sick and contact your doctor\nthere has been speculation that once the summer season arrives and the weather warms up the virus wont survive but we dont yet know if that is true does the weather or indoor temperature affect the survival of the covid19 virus on surfacesthere is no evidence one way or the other the viruss viability in exposure to heat or cold has not been studied but it does bear pointing out that the new england journal of medicine study was performed at about room temperature 2123 degrees celsiushow does the virus that causes covid19 compare with other coronaviruses and why are we seeing so many more cases\nsarscov2 behaves like a typical respiratory coronavirus in the basic mechanisms of infection and replication but several mutations allow it to bind tighter to its host receptor and increase its transmissibility which is thought to make it more infectiousthe new england journal of medicine study suggests that the stability of sarscov2 is very similar to that of sarscov1 the virus that caused the 20022003 sars global outbreak but researchers believe people can carry high viral loads of the sarscov2 in the upper respiratory tract without recognizing any symptoms allowing them to shed and transmit the virus while asymptomatic", + "https://hub.jhu.edu/", + "TRUE", + 0.0967444284110951, + 633 + ], + [ + "Risk of severe illness", + "based on what we know now persons at higher risk for severe illness from covid19 arepeople 65 years and olderpeople who live in a nursing home or longterm care facility people of all ages with serious underlying medical conditions", + "https://www.cdc.gov/", + "TRUE", + 0.01325757575757576, + 39 + ], + [ + "The coronavirus crisis does not signal the collapse of the Schengen Area.", + "we are seeing how indispensable schengen is to the european economy and way of life in the current exceptional situation many eu member states introduced temporary border controls to slow the spread of coronavirus but the commission is ensuring that euwide supply chains continue to operate and that flow of goods and key services continues around the clock the introduction of green lanes will allow all freight vehicles to cross internal schengen borders within 15 minutes", + "https://ec.europa.eu/", + "TRUE", + 0.10666666666666666, + 76 + ], + [ + "Can regularly rinsing your nose with saline help prevent infection with the new coronavirus?", + "no there is no evidence that regularly rinsing the nose with saline has protected people from infection with the new coronavirus there is some limited evidence that regularly rinsing nose with saline can help people recover more quickly from the common cold however regularly rinsing the nose has not been shown to prevent respiratory infections", + "https://www.who.int/", + "TRUE", + -0.00019240019240018835, + 55 + ], + [ + "Anti-Vaxxers Already Undermining Potential Coronavirus Vaccines", + "for many a covid19 vaccine cant come soon enough but vaccine opponents are already undermining confidence in what could be humanitys best chance to defeat the virus the ap reportstheyre spreading misinformationvaccine trials will be rushedanthony fauci is in cahoots with vaccine makers seeking to profit off the tragedy bill gates wants to use a vaccine to inject people with microchips or curb the populationtheyve also endorsed questionable treatments stirred up fears about mandatory vaccinations and aligned themselves with people resisting stayathome ordersmyths and misinformation about vaccines are adding fuel to the fire said directorgeneral tedros adhanom ghebreyesus in remarks monday to mark world immunization week he called out vaccine skeptics for spreading misinformation at a time when many children are already missing out on routine vaccines because of the pandemicit seems unimaginable that anyone would reject a coronavirus vaccine writes alex hartlage in an exclusive commentary for global health now yet he notes the last 2 decades vaccine hesitancy has risen so substantially that old enemies once thought conquered are returningcultural amnesia is largely to blame hartlage writes vaccines largely erased fear of these diseases from our collective american consciousness along with it our sense of appreciation now however that fear has been rekindledhe sees promising signs though that humansonce again forced to grapple with our own human frailty will unite for the common good in a new era of social responsibility ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.14753659039373326, + 233 + ], + [ + "Why is the disease being called coronavirus disease 2019, COVID-19", + "on february 11 2020 the world health organization announced an official name for the disease that is causing the 2019 novel coronavirus outbreak first identified in wuhan china the new name of this disease is coronavirus disease 2019 abbreviated as covid19 in covid19 co stands for corona vi for virus and d for disease formerly this disease was referred to as 2019 novel coronavirus or 2019ncovthere are many types of human coronaviruses including some that commonly cause mild upperrespiratory tract illnesses covid19 is a new disease caused be a novel or new coronavirus that has not previously been seen in humans the name of this disease was selected following the world health organization who best practiceexternal iconexternal icon for naming of new human infectious diseases", + "https://www.cdc.gov/", + "TRUE", + 0.17229437229437225, + 125 + ], + [ + "Here’s how long the coronavirus will last on surfaces, and how to disinfect those surfaces", + "never mix household bleach with ammonia or any other cleanser cdc saysas the coronavirus outbreak continues to accelerate in the us cleaning supplies are disappearing off the shelves and people are worried about every subway rail kitchen counter and toilet seat they touchbut how long can the new coronavirus linger on surfaces anyway the short answer is we dont know a new analysis found that the virus can remain viable in the air for up to 3 hours on copper for up to 4 hours on cardboard up to 24 hours and on plastic and stainless steel up to 72 hours this study was originally published in the preprint database medrxiv on march 11 and now a revised version was published march 17 in the new england journal of medicine whats more sarscov2 rna was found on a variety of surfaces in cabins of both symptomatic and asymptomatic people who were infected with covid19 on the diamond princess cruise ship up to 17 days after the passengers disembarked according to a new analysis from the centers for disease control and prevention cdc however this was before disinfection procedures took place and data cannot be used to determine whether transmission occurred from contaminated surfaces according to the analysis in other words its not clear if the viral particles on these surfaces could have infected people\nanother study published in february in the journal of hospital infection analyzed several dozen previously published papers on human coronaviruses other than the new coronavirus to get a better idea of how long they can survive outside of the body they concluded that if this new coronavirus resembles other human coronaviruses such as its cousins that cause sars and mers it can stay on surfaces such as metal glass or plastic for as long as nine days in comparison flu viruses can last on surfaces for only about 48 hoursbut some of them dont remain active for as long at temperatures higher than 86 degrees fahrenheit 30 degrees celsius the authors also found that these coronaviruses can be effectively wiped away by household disinfectants for example disinfectants with 6271 ethanol 05 hydrogen peroxide or 01 sodium hypochlorite bleach can efficiently inactivate coronaviruses within a minute according to the study we expect a similar effect against the 2019ncov the researchers wrote referring to the new coronavirus but even though the new coronavirus is a similar strain to the sars coronavirus its not clear if it will behave the samediluted household bleach solutions alcohol solutions containing at least 70 alcohol and most eparegistered common household disinfectants should be effective at disinfecting surfaces against the coronavirus according to the cdc the bleach solution can be prepared by mixing 5 tablespoons onethird cup of bleach per gallon of water or 4 teaspoons of bleach per quart of water the cdc wrote in a set of recommendationshowever never mix household bleach with ammonia or any other cleanser the cdc said mixing common cleaners together can create toxic fumes according to a previous live science report for example when bleach is mixed with an acidic solution a chemical reaction produces chlorine gas which can cause irritation of the eyes throat and nose at high concentrations that gas can cause breathing difficulties and fluid in the lungs and at very high concentrations it can lead to death according to the reportits possible that a person can be infected with the virus by touching a contaminated surface or object then touching their own mouth nose or possibly their eyes according to the centers for disease control and prevention cdc but this is not thought to be the main way the virus spreads though the virus remains viable in the air the new study cant say whether people can become infected by breathing it in from the air according to the associated press the virus is most likely to spread from person to person through close contact and respiratory droplets from coughs and sneezes that can land on a nearby persons mouth or nose according to the cdcif a person in a household is suspected or confirmed to have covid19 clean and disinfect hightouch surfaces daily in household common areas according to the cdcs recommendations common household areas include tables hardbacked chairs doorknobs light switches remotes handles desks toilets and sinks\nwhats more as much as possible an ill person should stay in a specific room and away from other people in their home they wrote the caregiver should try to stay away from the ill person as much as possible this means the ill person if possible should clean and disinfect surfaces themselves if thats not possible the caregiver should wait as long as practical after an ill person uses the bathroom to clean and disinfect surfaces according to the cdc ", + "https://www.livescience.com/", + "TRUE", + 0.05904128787878791, + 797 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "How can I protect myself while caring for someone that may have COVID-19?", + "you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if availablemake sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items", + "https://www.health.harvard.edu/", + "TRUE", + 0.09905753968253968, + 364 + ], + [ + "Can I catch the coronavirus by eating food handled or prepared by others?", + "we are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwiches", + "https://www.health.harvard.edu/", + "TRUE", + 0.07391774891774892, + 132 + ], + [ + "How to prepare for coronavirus in the US", + "there are the exam gloves the surgical masks the dubious supplements and the deceptive disinfectants if unchecked internet information is any guide theres an inexhaustible list of products you should buy to prepare for the spread of the coronavirus in the united states which according to us health officials was inevitablebut heres the thing the virus may be novel but you really dont need to buy anything new or special to brace for it the washington post spoke to epidemiology experts and they said the most important aspect of preparedness costs nothing at all calmthere have been more than 1000 confirmed cases of the virus in the united states and at least 31 deathsdays ago as health officials across the country began identifying new cases a study indicated that the coronavirus had been circulating in washington state for more than a month possibly infecting scores of people the preliminary research came as federal agencies announced steps to expand testing for the virus which causes a highly infectious respiratory disease called covid19while the total number of us cases is relatively low compared with china and now italy experts say it is still a good time for individuals businesses healthcare systems and schools to reexamine their pandemic preparedness plans to make sure theyre readyso heres what doctors researchers and the cdc say you can do now and in the event of a future outbreak to prepare and protect yourselfdont panic\nhow to prepare for coronavirus in the uswhat does it mean to prepare for an outbreakwhile there is no vaccine for covid19 preventive steps and awareness are the best tools to prepare and protect yourself in the event of an outbreak\nthe washington post is providing this important information about the coronavirus for free for more free coverage of the coronavirus pandemic sign up for our daily coronavirus updates newsletter where all stories are free to readthere are the exam gloves the surgical masks the dubious supplements and the deceptive disinfectants if unchecked internet information is any guide theres an inexhaustible list of products you should buy to prepare for the spread of the coronavirus in the united states which according to us health officials was inevitablebut heres the thing the virus may be novel but you really dont need to buy anything new or special to brace for it the washington post spoke to epidemiology experts and they said the most important aspect of preparedness costs nothing at all calmthere have been more than 1000 confirmed cases of the virus in the united states and at least 31 deathsdays ago as health officials across the country began identifying new cases a study indicated that the coronavirus had been circulating in washington state for more than a month possibly infecting scores of people the preliminary research came as federal agencies announced steps to expand testing for the virus which causes a highly infectious respiratory disease called covid19while the total number of us cases is relatively low compared with china and now italy experts say it is still a good time for individuals businesses healthcare systems and schools to reexamine their pandemic preparedness plans to make sure theyre readyso heres what doctors researchers and the cdc say you can do now and in the event of a future outbreak to prepare and protect yourselfdont panictimothy brewer is a professor of epidemiology and medicine at uclas fielding school of public health and its david geffen school of medicine yet his central piece of advice is not exactly medicaldont panic he said theres no value in panicking or telling people to be afraid dont let fear and emotion drive the response to this virus that can be extremely difficult because it is new and were still learning about it but dont allow fear of what we dont know about the virus to overwhelm what we do know\nbrewer said its important to remember that covid19 is a respiratory disease as is influenza and while theres not a vaccine for it there are triedandtrue ways to deal with this type of illness which we will cover herethe basicsa few minutes into a phone call with a reporter brewer paused coughed and then explained himself im currently recovering from a noncovid respiratory virus he saidbut the precautions he took when fighting his influenzalike illness are no different from what people should be doing every day to stave off coronavirus and other respiratory diseases brewer saidyou have seen the guidance before wash your hands regularly cover your nose and mouth when you sneeze and when youre sick stay home from work or school and drink lots of fluids the cdc recommends washing with soap and water for at least 20 seconds after using the bathroom before eating and after blowing your nose or sneezing it also advises not to touch your eyes nose and mouth and to clean objects and surfaces you touch often a common household cleaner will sufficethese are all things you can do to prevent the spread of pretty much any respiratory virus brewer saidand for the record he added he stayed home sick last weeki practiced what i preached brewer saiddont touch your faceits exactly what will make you sick but its so hard to stop a 2015 study found that we touch our face an average of two dozen times an hour and 44 percent of that touching involves contact with eyes nose or mouthall that touching is risky people are more likely to get the coronavirus by picking it up from a surface and touching their face than they are to breathe in droplets directly from someone who is infected said william sawyer a family doctor in sharonville ohio\nthey will give it to themselves not the person down the hall he saidnot touching your facial mucous membranes an area known as the tzone is perhaps the most important step you can take to prevent an infection said sawyerhow do you stop you have to outsmart your habit said elliot berkman a psychology professor at the university of oregon who studies habits and behaviors one way to do that quickly is to change something in your environment he said wear something on your hands or face not a mask if youre not sick that can serve as a cue an interruption to an automatic actionif you have an urge to scratch cover your finger with a tissue first said sawyer avoid touching your face with a bare hand but also know that gloves can pick up germs just as easilykeep the shopping cart light\nyou probably dont need to buy anything new but if youre already on your way to the drugstore brewer has some advice\ndont go crazy he said you dont need to go out and stock up on lots of thingsand those surgical masks the us surgeon general has some words about thoseseriously people stop buying masks jerome m adams tweeted they are not effective in preventing general public from catching coronavirus but if healthcare providers cant get them to care for sick patients it puts them and our communities at riskbrewer says masks are used to keep someone who is infected from spreading it to others if youre not sick you dont need to wear one and if you do its not preventing you from getting sick common surgical masks block the droplets coming out of a sick person from getting into the air but they are not tight enough to prevent whats already in the air from getting in\nthe cdc agrees writing on its website cdc does not recommend that people who are well wear a face mask to protect themselves from respiratory diseasesthere are specialized masks known as n95 masks because they filter out 95 percent of airborne particles that are more effective and many retailers have sold out of them but theres a problem the masks are difficult to use without training they must be fitted and tested to work properlyif you just buy them at cvs youre not going to do all that brewer said youre not going to get it fittested and youre not going to be wearing it properly so all youve done is spend a lot of money on a very fancy face maskthe same goes for exam gloves brewer said which can get contaminated just like our hands theres no need for them if youre washing your hands properly and often he saidif youre itching to buy something you can stick to the typical respiratoryvirus medicine decongestants antiinflammatory drugs and acetaminophen for feverspractice makes permanenta lot of preparedness is planning ahead of time said saskia v popescu a senior infectionprevention epidemiologist for a phoenixbased hospital system practice makes permanent if i have a plan that means i dont have to panicyou should have a plan for child care for getting to work and for feeding pets she said thats good advice in general she added not just in the age of coronavirusthis is a good reminder to go through your resources and your plans so that should it get more serious you are not taken off guard she said people think they need to go out and buy stuff but so much of it is just having a planconsider the kidsthere is no evidence that children are more prone to contracting covid19 according to the cdc in fact as the posts william wan and joel achenbach reported one of the few mercies of the spreading coronavirus is that it leaves young children virtually untouchedwhat few reports the cdc does have indicate symptoms in children look a lot like symptoms in adults fever runny nose and cough but severe complications are uncommon in childreneven though their risk isnt any higher than it is for adults the coronavirus could spread rapidly between children simply because of the germintense nature of schools the cdc recommends teaching your kids good preventive habits for all illnesses make sure their vaccinations are up to date including for influenza wash hands frequently using soap and water or hand sanitizer avoid people who are sickmost important if your child has any symptoms of illness keep them home from school to prevent the spread of illness whether its the coronavirus or notbe mindful of where you arehealth officials have stressed keeping your distance from people who are sick especially when it comes to respiratory viruses it is worth considering limiting exposure to large groups especially during flu season and more and more institutions and jurisdictions are now mandating such social distancingany congregation of people is a setup for spreading an infectious agent said stanley perlman an infectiousdisease expert at the university of iowamost of us like to look at our smartphones and wear headphones but in confined spaces such as mass transit its important to look around and see whats going on to see where everyones hands are going and make a mental note to wash up laterpopescu recommends avoiding the middle of a packed train car and doing your best to turn away if someone is coughing nearbybut awareness cuts both ways while the united states is going to have more coronavirus cases she said it is important not to panic just because someone has the sniffles or has a cough it doesnt mean they have the coronavirus she said there are a lot of respiratory viruseswatch what you readmisinformation about coronavirus is spreading fast popescu and other experts call this an infodemic and it can be as harmful as any disease hoaxes lies and junk science about the coronavirus have swirled online since the earliest cases were reported mostly through social mediapeople are more clicksusceptible during these events because theres more info and people arent sure who to trust university of washington researcher jevin west told the post this monthlook to trustworthy sources such as the cdc the world health organization and local health departments to stay informed popescu said not the anonymous user doling out advice in twitter mentionsit can be really easy to go online buy supplies and freak out and then just stay on facebook she said but stay up to dateavoid drastic financial decisionsthe frenzy over what the virus could mean for the global economy caused the worst weekly loss for stocks since the 2008 financial crisis that was followed by one of the worst single days on wall street since the great recessionwhile some families might be concerned about money tied up in the market making drastic decisions is unnecessary according to xi chen assistant professor of public and global health and economics at the yale school of public healththe key thing is how long the stock plunge can last he said if its shortterm it might not affect the supply chainchen pointed to severe acute respiratory syndrome better known as sars which affected 24 countries in asia europe and north and south america in the early 2000s as a time when the market suffered for about a quarter before recovering with very strong growthdont forget the flu shotthe coronavirus includes flulike symptoms such as fever cough and shortness of breath according to the cdc getting a flu shot could ease peoples concerns about the new virus and also help health professionals said albert ko department chair and professor of epidemiology and medicine at the yale school of public healththe best thing people can do is get immunized for influenza to free up services for people who come in with coronavirus he said noting that initial signs of illness for flu and coronavirus closely mirror each other when were testing people for coronavirus it reduces the noise about who has it\nbe kindon college campuses at a music conservatory in chinese restaurants among the ranks of a famous dance troupe and on streets every day asians have reported a rise in aggression micro and macroas the coronavirus has spread so has antiasian prejudicethe who has urged government agencies to do what they can to prevent discrimination against specific populations since stigmatization can fuel the spread of the outbreak by driving marginalized individuals to hide infection and avoid seeking treatmentremember to not let fear override your common humanity about how you treat other people brewer said just remember were all in this together this is a virus it does not think it is not planning we shouldnt be blaming our neighbors or our fellow colleagues or people in the community because a virus happens to exist and is spreading", + "https://www.washingtonpost.com/", + "TRUE", + 0.12851027940313658, + 2407 + ], + [ + "Quarantine and Isolation", + "how are quarantine and isolation differentquarantine quarantine is used to keep someone who might have been exposed to covid19 away from others quarantine helps prevent spread of disease that can occur before a person knows they are sick or if they are infected with the virus without feeling symptoms people in quarantine should stay home separate themselves from others monitor their health and follow directions from their state or local health departmentisolation isolation is used to separate people infected with the virus those who are sick with covid19 and those with no symptoms from people who are not infected people who are in isolation should stay home until its safe for them to be around others in the home anyone sick or infected should separate themselves from others by staying in a specific sick room or area and using a separate bathroom if availablehow are quarantine and isolation similarboth quarantine and isolation involve separation of people to protect the public help limit further spread of covid19 can be done voluntarily or be required by health authorities how do i know if i need to be in isolation or quarantineif you live in a community where covid19 is or might be spreading currently that is virtually everywhere in the united states watch your health be alert for symptoms watch for fever cough shortness of breath or other symptoms of covid19take your temperature if symptoms developpractice social distancing maintain 6 feet of distance from others and stay out of crowded places follow cdc guidance if symptoms developif you feel healthy but recently had close contact with a person with covid19 stay home and monitor your health quarantine stay home until 14 days after your last exposure check your temperature twice a day and watch for symptoms of covid19if possible stay away from people who are at higherrisk for getting very sick from covid19if you have been diagnosed with covid19 or are waiting for test results or have cough fever or shortness of breath or other symptoms of covid19 isolate yourself from others isolation stay homeif you live with others stay in a specific sick room or area and away from other people or animals including pets use a separate bathroom if availableread important information about caring for yourself or someone else who is sick including when its safe to end home isolationif you recently traveled from somewhere outside the united states or on a cruise ship or river boatfollow cdc guidance forreturning from international travel returning from cruise ship or river voyages", + "https://www.cdc.gov/", + "TRUE", + -0.11666293476638308, + 420 + ], + [ + "The proximal origin of SARS-CoV-2", + "since the first reports of novel pneumonia covid19 in wuhan hubei province china12 there has been considerable discussion on the origin of the causative virus sarscov23 also referred to as hcov194 infections with sarscov2 are now widespread and as of 11 march 2020 121564 cases have been confirmed in more than 110 countries with 4373 deaths5sarscov2 is the seventh coronavirus known to infect humans sarscov merscov and sarscov2 can cause severe disease whereas hku1 nl63 oc43 and 229e are associated with mild symptoms6 here we review what can be deduced about the origin of sarscov2 from comparative analysis of genomic data we offer a perspective on the notable features of the sarscov2 genome and discuss scenarios by which they could have arisen our analyses clearly show that sarscov2 is not a laboratory construct or a purposefully manipulated virusnotable features of the sarscov2 genomeour comparison of alpha and betacoronaviruses identifies two notable genomic features of sarscov2 i on the basis of structural studies789 and biochemical experiments1910 sarscov2 appears to be optimized for binding to the human receptor ace2 and ii the spike protein of sarscov2 has a functional polybasic furin cleavage site at the s1s2 boundary through the insertion of 12 nucleotides8 which additionally led to the predicted acquisition of three olinked glycans around the sitemutations in the receptorbinding domain of sarscov2the receptorbinding domain rbd in the spike protein is the most variable part of the coronavirus genome12 six rbd amino acids have been shown to be critical for binding to ace2 receptors and for determining the host range of sarscovlike viruses7 with coordinates based on sarscov they are y442 l472 n479 d480 t487 and y4911 which correspond to l455 f486 q493 s494 n501 and y505 in sarscov27 five of these six residues differ between sarscov2 and sarscov fig 1a on the basis of structural studies789 and biochemical experiments sarscov2 seems to have an rbd that binds with high affinity to ace2 from humans ferrets cats and other species with high receptor homology7while the analyses above suggest that sarscov2 may bind human ace2 with high affinity computational analyses predict that the interaction is not ideal7 and that the rbd sequence is different from those shown in sarscov to be optimal for receptor binding thus the highaffinity binding of the sarscov2 spike protein to human ace2 is most likely the result of natural selection on a human or humanlike ace2 that permits another optimal binding solution to arise this is strong evidence that sarscov2 is not the product of purposeful manipulationpolybasic furin cleavage site and olinked glycansthe second notable feature of sarscov2 is a polybasic cleavage site rrar at the junction of s1 and s2 the two subunits of the spike8 fig 1b this allows effective cleavage by furin and other proteases and has a role in determining viral infectivity and host range in addition a leading proline is also inserted at this site in sarscov2 thus the inserted sequence is prra the turn created by the proline is predicted to result in the addition of olinked glycans to s673 t678 and s686 which flank the cleavage site and are unique to sarscov2 polybasic cleavage sites have not been observed in related lineage b betacoronaviruses although other human betacoronaviruses including hku1 lineage a have those sites and predicted olinked glycans13 given the level of genetic variation in the spike it is likely that sarscov2like viruses with partial or full polybasic cleavage sites will be discovered in other species\nthe functional consequence of the polybasic cleavage site in sarscov2 is unknown and it will be important to determine its impact on transmissibility and pathogenesis in animal models experiments with sarscov have shown that insertion of a furin cleavage site at the s1s2 junction enhances cellcell fusion without affecting viral entry in addition efficient cleavage of the merscov spike enables merslike coronaviruses from bats to infect human cells in avian influenza viruses rapid replication and transmission in highly dense chicken populations selects for the acquisition of polybasic cleavage sites in the hemagglutinin ha protein16 which serves a function similar to that of the coronavirus spike protein acquisition of polybasic cleavage sites in ha by insertion or recombination converts lowpathogenicity avian influenza viruses into highly pathogenic forms16 the acquisition of polybasic cleavage sites by ha has also been observed after repeated passage in cell culture or through animalsthe function of the predicted olinked glycans is unclear but they could create a mucinlike domain that shields epitopes or key residues on the sarscov2 spike protein several viruses utilize mucinlike domains as glycan shields involved immunoevasion18 although prediction of olinked glycosylation is robust experimental studies are needed to determine if these sites are used in sarscov2theories of sarscov2 originsit is improbable that sarscov2 emerged through laboratory manipulation of a related sarscovlike coronavirus as noted above the rbd of sarscov2 is optimized for binding to human ace2 with an efficient solution different from those previously predicted711 furthermore if genetic manipulation had been performed one of the several reversegenetic systems available for betacoronaviruses would probably have been used19 however the genetic data irrefutably show that sarscov2 is not derived from any previously used virus backbone20 instead we propose two scenarios that can plausibly explain the origin of sarscov2 i natural selection in an animal host before zoonotic transfer and natural selection in humans following zoonotic transfer we also discuss whether selection during passage could have given rise to sarscov2natural selection in an animal host before zoonotic transfer as many early cases of covid19 were linked to the huanan market in wuhan12 it is possible that an animal source was present at this location given the similarity of sarscov2 to bat sarscovlike coronaviruses2 it is likely that bats serve as reservoir hosts for its progenitor although ratg13 sampled from a rhinolophus affinis bat1 is 96 identical overall to sarscov2 its spike diverges in the rbd which suggests that it may not bind efficiently to human ace27 fig 1amalayan pangolins manis javanica illegally imported into guangdong province contain coronaviruses similar to sarscov2 although the ratg bat virus remains the closest to sarscov2 across the genome1 some pangolin coronaviruses exhibit strong similarity to sarscov2 in the rbd including all six key rbd residues this clearly shows that the sarscov2 spike protein optimized for binding to humanlike ace2 is the result of natural selectionneither the bat betacoronaviruses nor the pangolin betacoronaviruses sampled thus far have polybasic cleavage sites although no animal coronavirus has been identified that is sufficiently similar to have served as the direct progenitor of sarscov2 the diversity of coronaviruses in bats and other species is massively undersampled mutations insertions and deletions can occur near the s1s2 junction of coronaviruses22 which shows that the polybasic cleavage site can arise by a natural evolutionary process for a precursor virus to acquire both the polybasic cleavage site and mutations in the spike protein suitable for binding to human ace2 an animal host would probably have to have a high population density to allow natural selection to proceed efficiently and an ace2encoding gene that is similar to the human ortholog natural selection in humans following zoonotic transferit is possible that a progenitor of sarscov2 jumped into humans acquiring the genomic features described above through adaptation during undetected humantohuman transmission once acquired these adaptations would enable the pandemic to take off and produce a sufficiently large cluster of cases to trigger the surveillance system that detected itall sarscov2 genomes sequenced so far have the genomic features described above and are thus derived from a common ancestor that had them too the presence in pangolins of an rbd very similar to that of sarscov2 means that we can infer this was also probably in the virus that jumped to humans this leaves the insertion of polybasic cleavage site to occur during humantohuman transmissionestimates of the timing of the most recent common ancestor of sarscov2 made with current sequence data point to emergence of the virus in late november 2019 to early december 201923 compatible with the earliest retrospectively confirmed cases24 hence this scenario presumes a period of unrecognized transmission in humans between the initial zoonotic event and the acquisition of the polybasic cleavage site sufficient opportunity could have arisen if there had been many prior zoonotic events that produced short chains of humantohuman transmission over an extended period this is essentially the situation for merscov for which all human cases are the result of repeated jumps of the virus from dromedary camels producing single infections or short transmission chains that eventually resolve with no adaptation to sustained transmission25studies of banked human samples could provide information on whether such cryptic spread has occurred retrospective serological studies could also be informative and a few such studies have been conducted showing lowlevel exposures to sarscovlike coronaviruses in certain areas of china26 critically however these studies could not have distinguished whether exposures were due to prior infections with sarscov sarscov2 or other sarscovlike coronaviruses further serological studies should be conducted to determine the extent of prior human exposure to sarscov2 selection during passagebasic research involving passage of bat sarscovlike coronaviruses in cell culture andor animal models has been ongoing for many years in biosafety level 2 laboratories across the world27 and there are documented instances of laboratory escapes of sarscov28 we must therefore examine the possibility of an inadvertent laboratory release of sarscov2in theory it is possible that sarscov2 acquired rbd mutations fig 1a during adaptation to passage in cell culture as has been observed in studies of sarscov11 the finding of sarscovlike coronaviruses from pangolins with nearly identical rbds however provides a much stronger and more parsimonious explanation of how sarscov2 acquired these via recombination or mutation19the acquisition of both the polybasic cleavage site and predicted olinked glycans also argues against culturebased scenarios new polybasic cleavage sites have been observed only after prolonged passage of lowpathogenicity avian influenza virus in vitro or in vivo17 furthermore a hypothetical generation of sarscov2 by cell culture or animal passage would have required prior isolation of a progenitor virus with very high genetic similarity which has not been described subsequent generation of a polybasic cleavage site would have then required repeated passage in cell culture or animals with ace2 receptors similar to those of humans but such work has also not previously been described finally the generation of the predicted olinked glycans is also unlikely to have occurred due to cellculture passage as such features suggest the involvement of an immune system18conclusionsin the midst of the global covid19 publichealth emergency it is reasonable to wonder why the origins of the pandemic matter detailed understanding of how an animal virus jumped species boundaries to infect humans so productively will help in the prevention of future zoonotic events for example if sarscov2 preadapted in another animal species then there is the risk of future reemergence events in contrast if the adaptive process occurred in humans then even if repeated zoonotic transfers occur they are unlikely to take off without the same series of mutations in addition identifying the closest viral relatives of sarscov2 circulating in animals will greatly assist studies of viral function indeed the availability of the ratg13 bat sequence helped reveal key rbd mutations and the polybasic cleavage sitethe genomic features described here may explain in part the infectiousness and transmissibility of sarscov2 in humans although the evidence shows that sarscov2 is not a purposefully manipulated virus it is currently impossible to prove or disprove the other theories of its origin described here however since we observed all notable sarscov2 features including the optimized rbd and polybasic cleavage site in related coronaviruses in nature we do not believe that any type of laboratorybased scenario is plausiblemore scientific data could swing the balance of evidence to favor one hypothesis over another obtaining related viral sequences from animal sources would be the most definitive way of revealing viral origins for example a future observation of an intermediate or fully formed polybasic cleavage site in a sarscov2like virus from animals would lend even further support to the naturalselection hypotheses it would also be helpful to obtain more genetic and functional data about sarscov2 including animal studies the identification of a potential intermediate host of sarscov2 as well as sequencing of the virus from very early cases would similarly be highly informative irrespective of the exact mechanisms by which sarscov2 originated via natural selection the ongoing surveillance of pneumonia in humans and other animals is clearly of utmost importance", + "https://www.nature.com/", + "TRUE", + 0.07814715942493718, + 2072 + ], + [ + "Consider wearing a mask in public", + "consider wearing a mask in public the cdc advises all americans to wear cloth masks in public president trump says it wont be mandatory\nthis cdc recommendation is a shift in federal guidance and reflects concerns that the coronavirus is being spread by infected people who have no symptoms\nuntil now experts at the cdc had been saying that ordinary people didnt need to wear masks unless they were sick and coughing part of the reason was to preserve medicalgrade masks for health care workers who desperately need them at a time when they are in continuously short supply the new york times and other news outlets had been reporting the cdcs previous guidancetop officials at the cdc had been pushing for mr trump to advise everyone even people who appear to be healthy to wear a mask when shopping at the grocery store or going out in other public places to avoid unwittingly spreading the virus public health officials have stressed that n95 masks and surgical masks should be saved for frontline doctors and nurses who have been in dire need of protective gearmask wearing doesnt replace hand washing and social distancinghere is our guidance on how to best protect yourself including a pattern to make your own cloth mask", + "https://www.nytimes.com/", + "TRUE", + 0.018046536796536804, + 211 + ], + [ + "How can we differentiate between hay fever/pollen allergy related respiratory symptoms and COVID-19 infection?", + "many people with covid19 have mild flulike symptoms see above question 1 which are rather common and need to be distinguished from similar symptoms caused by common cold viruses and from allergic symptoms during springtimethe following table presents a comparison of the most common symptoms of all three conditions according to their reported frequencyit is good to bear in mind that the definitive diagnosis of covid19 is not clinical but through laboratory testing of a sample from the nose or mouth", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.04848484848484847, + 81 + ], + [ + "What should I do of I think someone in my family has been exposed to someone with COVID-19?", + "if you develop a fever chills sore throat and symptoms of respiratory illness such as cough or shortness of breath you should contact your medical provider immediately before you go to a doctors office or emergency room call ahead and tell them about your or your family members symptoms your healthcare provider will coordinate safe treatment and testing based on recommendations from your states public health department and cdcthe cdc has detailed information aboutsymptoms of coronavirus and when to seek medical attentionhow to decide if you should seek care or testingwhat to do if you are sick or caring for someone who is sick", + "https://www.chop.edu/", + "TRUE", + -0.06607142857142857, + 104 + ], + [ + "How much will mortality rates vary from country-to-country given differing levels of health system preparedness and response resources?", + "mortality rates will vary by country according to several factors first it will depend on the age structure of the population italy has the second oldest population in the world which may partly explain the high mortality observedhealth care availability in terms of the number of hospital and intensive care beds and accessibility free versus paid will also influence mortality for example low death rates in germany and south korea are partially attributed to the relatively high number of hospital beds per capita moreover disparities in death rates between hubei provincethe location of wuhan where the outbreak first emergedand other parts of china are thought to be due to the rapid case rise and resulting strain on health care resources in hubeilastly a countrys testing policy will be an important determining factor if there is widespread testing of community as well as hospitalbased cases mortality will be lower than if testing was solely focused on hospital cases", + "https://www.globalhealthnow.org/", + "TRUE", + 0.10583333333333333, + 157 + ], + [ + "Hopes are high for a coronavirus treatment, which could come much quicker than a vaccine", + "scientists around the globe are racing to develop tests treatments and vaccines to combat the covid19 diseasenear term tests are the priority beyond testing regulators are trying to get treatments approved as quickly and safely as possible to serve as a bridge to a vaccine which is likely to take 12 months according to the us fda commissioner stephen hahnhealthcare experts broadly agree that a treatment is likely to come before a vaccine if a good treatment emerges whatever it is we expect regulators to prioritize expeditious review laura sutcliffe a ubs healthcare analyst said in a research note treatments\nus regulators are leaning heavily on previously developed treatments at a press conference with president donald trump the fda commissioner confirmed the agency is currently looking at drugs already approved for other diseases several therapies have been thrust into the spotlight in recent days for their promise gileads remdesivir regenerons kevzara and generic antimalarial drug chloroquine and an alternative version called hydroxychloroquine \nremdesivir was developed by us pharma giant gilead sciences inc and was previously tried as a treatment for middle east respiratory syndrome mers another type of coronavirus and ebola remdesivir is currently in clinical trials and is also permitted for compassionate use meaning it can be used to treat a severely ill patient when no other treatments are available the credit suisse pharma team note that this is the most advanced novel therapy but they have concerns about supply biotech giant regeneron pharmaceuticals is trialing its drug kevzara for use against covid19 it is currently used to treat rheumatoid arthritis regeneron codeveloped the drug with french healthcare firm sanofi chloroquine is a generic malaria drug which has shown promise as a treatment against covid19 german biosciences conglomerate bayer announced tuesday it has donated 3 million tablets of its malaria drug resochin which is made of chloroquine phosphate to the us government to aid in the fight against the virus \nthe credit suisse pharma team see manufacturing and supply as the key challenge for the majority of proposed covid19 therapies and in due course vaccines a global pandemic requires a huge volume of drug in a very short space of time stocks of legacy drugs new drug candidates will take months to build in our view vaccinesusually vaccine development takes more than five years and requires significant capital investment this lengthy process has created problems in the past for example with ebola but the scientific community is better prepared now than it was for ebola argues sutcliff a body was set up to coordinate developing vaccines for pandemics and researchers can now leverage work done during previous outbreaks to propel them forwardwhile meaningful progress has been made in recent weeks in particular from biotech firms specializing in mrna molecules these are used to instruct the body to produce its own response to fight a range of diseases like moderna and biontech this approach has been more successful in veterinary medicine than in humans there is no guarantee they will be successful in parallel to the work being done by these biotech firms traditional pharma giants like glaxosmithkline and sanofi are leaning on their experience dealing with seasonal flu to try to come up with an immunization but even then there is no guarantee of success testing \nseveral countries in particular the us and the uk are facing heavy criticism from healthcare experts over testing british prime minister boris johnson said thursday the uk is in negotiations to buy hundreds of thousands of tests which would be able to detect whether someone has had covid19 by checking the presence of antibodies he argued this could turn the tide in the fight against the virus a continuous process healthcare companies and regulators have a fine balancing act to maintain they must race against the clock to get effective treatments and vaccines to market but they must also ensure those treatments do not have negative effects on patients that requires rigorous and timeintensive clinical trials this is a continuous process and every aspect of the solution matters from testing to treatment to immunization", + "https://www.cnbc.com/", + "TRUE", + 0.14114420062695923, + 681 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 135 + ], + [ + "Do persons suffering from pollen allergy or allergies in general have a higher risk to develop severe disease when having COVID-19?", + "a large proportion of the population up to 1520 reports seasonal symptoms related to pollen the most common of which include itchy eyes nasal congestion runny nose and sometimes wheezing and skin rash all these symptoms are usually referred to as hay fever pollen allergy or more appropriately allergic rhinitis allergic rhinitis is commonly associated with allergic asthma in children and adultsallergies including mild allergic asthma have not been identified as a major risk factor for sarscov2 infection or for a more unfavourable outcome in the studies available so far moderate to severe asthma on the other hand where patients need treatment daily is included in the chronic lung conditions that predispose to severe diseasechildren and adults on maintenance medication for allergies eg leukotriene inhibitors inhaled corticosteroids andor bronchodilators need to continue their treatment as prescribed by their doctor and should not discontinue their medication due to fears of covid19 if they develop symptoms compatible with covid19 they will need to selfisolate inform their doctor and monitor their health as everyone else if progressive difficulty breathing develops they should seek prompt medical assistance", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.11167328042328044, + 183 + ], + [ + "How does the virus spread?", + "the virus that causes covid19 is thought to spread mainly from person to person mainly through respiratory droplets produced when an infected person coughs or sneezes these droplets can land in the mouths or noses of people who are nearby or possibly be inhaled into the lungs spread is more likely when people are in close contact with one another within about 6 feetcovid19 seems to be spreading easily and sustainably in the community community spread in many affected geographic areas community spread means people have been infected with the virus in an area including some who are not sure how or where they became infected", + "https://www.cdc.gov/", + "TRUE", + 0.18958333333333333, + 106 + ], + [ + "With Pressure Growing, Global Race for a Vaccine Intensifies", + "governments companies and academic labs are accelerating their efforts amid geopolitical crosscurrents questions about safety and the challenges of producing enough doses for billions of peoplefour months after a mysterious new virus began its deadly march around the globe the search for a vaccine has taken on an intensity never before seen in medical research with huge implications for public health the world economy and politicsseven of the roughly 90 projects being pursued by governments pharmaceutical makers biotech innovators and academic laboratories have reached the stage of clinical trials with political leaders not least president trump increasingly pressing for progress and with big potential profits at stake for the industry drug makers and researchers have signaled that they are moving ahead at unheardof speedsbut the whole enterprise remains dogged by uncertainty about whether any coronavirus vaccine will prove effective how fast it could be made available to millions or billions of people and whether the rush compressing a process that can take 10 years into 10 months will sacrifice safetysome experts say the more immediately promising field might be the development of treatments to speed recovery from covid19 an approach that has generated some optimism in the last week through initially encouraging research results on remdesivir an antiviral drug previously tried in fighting ebolain an era of intense nationalism the geopolitics of the vaccine race are growing as complex as the medicine the months of mutual vilification between the united states and china over the origins of the virus have poisoned most efforts at cooperation between them the us government is already warning that american innovations must be protected from theft chiefly from beijingbiomedical research has long been a focus of theft especially by the chinese government and vaccines and treatments for the coronavirus are todays holy grail john c demers the assistant attorney general for national security said on friday putting aside the commercial value there would be great geopolitical significance to being the first to develop a treatment or vaccine we will use all the tools we have to safeguard american researchthe intensity of the global research effort is such that governments and companies are building production lines before they have anything to produce\nwe are going to start ramping up production with the companies involved dr anthony s fauci the director of the national institute of allergy and infectious diseases and the federal governments top expert on infectious diseases said on nbc this week you dont wait until you get an answer before you start manufacturingtwo of the leading entrants in the united states johnson johnson and moderna have announced partnerships with manufacturing firms with johnson johnson promising a billion doses of an asyetundeveloped vaccine by the end of next yearnot to be left behind the britainbased pharmaceutical giant astrazeneca said this week that it was working with a vaccine development project at the university of oxford to manufacture tens of millions of doses by the end of this yearwith the demand for a vaccine so intense there are escalating calls for humanchallenge trials to speed the process tests in which volunteers are injected with a potential vaccine and then deliberately exposed to the coronavirusbecause the approach involves exposing participants to a potentially deadly disease challenge trials are ethically fraught but they could be faster than simply inoculating human subjects and waiting for them to be exposed along with everyone else especially as the pandemic is brought under control in big countries\neven when promising solutions are found there are big challenges to scaling up production and distribution bill gates the microsoft founder whose foundation is spending 250 million to help spur vaccine development has warned about a critical shortage of a mundane but vital component medical glasswithout sufficient supplies of the glass there will be too few vials to transport the billions of doses that will ultimately be neededthe scale of the problem and the demand for a quick solution are bound to create tensions between the profit motives of the pharmaceutical industry which typically fights hard to wring the most out of their investments in new drugs and the publics need for quick action to get any effective vaccines to as many people as possibleso far much of the research and development has been supported by governments and foundations and much remains to be worked out when it comes to patents and what national governments will claim in return for their support and pledges of quick regulatory approvalgiven the stakes it is no surprise that while scientists and doctors talk about finding a global vaccine national leaders emphasize immunizing their own populations first mr trump said he was personally in charge of operation warp speed to get 300 million doses into american arms by januaryalready the administration has identified 14 vaccine projects it intends to focus on a senior administration official said with the idea of further narrowing the group to a handful that could go on with government financial help and accelerated regulatory review to meet mr trumps goal the winnowing of the projects to 14 was reported friday by nbc newsbut other countries are also signaling their intention to nationalize their approaches the most promising clinical trial in china is financed by the government and in india the chief executive of the serum institute of india the worlds largest producer of vaccine doses said that most of its vaccine would have to go to our countrymen before it goes abroadgeorge q daley the dean of harvard medical school said thinking in countrybycountry rather than global terms would be foolhardy since it would involve squandering the early doses of vaccine on a large number of individuals at low risk rather than covering as many highrisk individuals globally health care workers and older adults to stop the spread around the worldgiven the proliferation of vaccine projects the best outcome may be none of them emerging as a clear winnerlets say we get one vaccine quickly but we can only get two million doses of it at the end of next year said anita zaidi who directs the bill and melinda gates foundations vaccine development program and another vaccine just as effective comes three months later but we can make a billion doses who won that racethe answer she said is we will need many different vaccines to cross the finish linespeed versus safety at 1 am on march 21 1963 a 5yearold girl named jeryl lynn hilleman woke up her father she had come down with the mumps which had made her miserable with a swollen jaw\nit just so happened that her father maurice was a vaccine designer so he told jeryl lynn to go back to bed drove to his lab at merck to pick up some equipment and returned to swab her throat dr hilleman refrigerated her sample back at his lab and soon got to work weakening her viruses until they could serve as a mumps vaccine in 1967 it was approved by the fdato vaccine makers this story is the stuff of legend dr hilleman still holds the record for the quickest delivery of a vaccine from the lab to the clinic vaccines typically take ten to fifteen years of research and testing and only six percent of the projects that scientists launch reach the finish linefor a world in the grips of covid19 on the other hand this story is the stuff of nightmares no one wants to wait four years for a vaccine while millions die and economies remain paralyzedsome of the leading contenders for a coronavirus vaccine are now promising to have the first batches ready in record time by the start of next year they have accelerated their schedules by collapsing the standard vaccine timelinethey are combining trials that used to be carried out one after the other they are pushing their formulations into production despite the risk that the trials will fail leaving them with millions of useless dosesbut some experts want to do even more to speed up the conveyor belt writing last month in the journal vaccines the vaccine developer dr stanley a plotkin and dr arthur l caplan a bioethicist at nyu langone medical center proposed infecting vaccinated volunteers with the coronavirus the method known as challenge trials the procedure might cut months or years off the development but would put test subjects at risk\nchallenge trials were used in the early days of vaccine research but now are carried out under strict conditions and only for illnesses like flu and malaria that have established treatmentsin an article in march in the journal of infectious diseases a team of researchers wrote such an approach is not without risks but every week that vaccine rollout is delayed will be accompanied by many thousands of deaths globallydr caplan said that limiting the trials to healthy young adults could reduce the risk since they were less likely to suffer serious complications from covid19 i think we can let people make the choice and i have no doubt many would he saidin congress representative bill foster democrat of illinois and a physicist and representative donna e shalala democrat of florida and the former secretary of the department of health and human services organized a bipartisan group of 35 lawmakers to sign a letter asking regulators to approve such trialsthe organizers of a website set up to promote the idea 1daysoonerorg say they have signed up more than 9100 potential volunteers from 52 countriessome scientists caution that truly informed consent even by willing volunteers may not be possible even medical experts do not yet know all the effects of the virus those who have appeared to recover might still face future problemseven without challenge trials accelerated testing may run the risk of missing potential side effects a vaccine for dengue fever and one for sars that never reached the market were abandoned after making some people more susceptible to severe forms of the diseases not lessit will be extremely important to determine that does not happen said michel de wilde a former senior vice president of research and development at sanofi pasteur a vaccine maker in francewhen it comes to the risks from flawed vaccines chinas history is instructivethe wuhan institute of biological products was involved in a 2018 scandal in which ineffective vaccines for diphtheria tetanus whooping cough and other conditions were injected into hundreds of thousands of babiesthe government confiscated the wuhan institutes illegal income fined the company and punished nine executives but the company was allowed to continue to operate it is now running a coronavirus vaccine project and along with two other chinese groups has been allowed to combine its safety and efficacy trialsseveral chinese scientists questioned the decision arguing that the vaccine should be shown to be safe before testing how well it worksnationalism versus globalism in the early days of the crisis harvard was approached by the chinese billionaire hui ka yan he arranged to give roughly 115 million to be split between harvard medical school and its affiliated hospitals and the guangzhou institute of respiratory diseases for a collaborative effort that would include developing coronavirus vaccineswe are not racing against each other we are racing the virus said dr dan barouch the director of the center for virology and vaccine research at beth israel deaconess medical center and a professor at harvard medical school who is also working with johnson johnson what we need is a global vaccine because an outbreak in one part of the world puts the rest of the world at riskthat allforone sentiment has become a mantra among many researchers but it is hardly universally sharedin india the serum institute the heavyweight champion of vaccine manufacturing producing 15 billion doses a year has signed agreements in recent weeks with the developers of four promising potential vaccines but in an interview with reuters adar poonawalla the companys billionaire chief executive made it clear that at least initially any vaccine the company produces would have to go to indias 13 billion peoplethe tension between those who believe a vaccine should go where it is needed most and those dealing with pressures to supply their own country first is one of the defining features of the global responsethe trump administration which in march put out feelers to a german biotech company to acquire its vaccine research or move it to american shores has awarded grants of nearly half a billion dollars each to two usbased companies johnson johnson and modernajohnson johnson though based in new jersey conducts its research in the netherlandspaul stoffels the companys vice chairman and chief scientific officer said in an interview that the department of health and human services understood we cant pick up our research and move it to the united states but it made sure that the company joined a partnership with emergent biosolutions a maryland biological production firm to produce the first big batches of any approved vaccine for the usthe political reality is that it be would very very hard for any government to allow a vaccine made in their own country to be exported while there was a major problem at home said sandy douglas a researcher at the university of oxford the only solution is to make a hell of a lot of vaccine in a lot of different placesthe oxford vaccine team has already begun scaling up plans for manufacturing by half a dozen companies across the world including china and india plus two british manufacturers and the britishbased multinational astrazenecain china the governments instinct is to showcase the countrys growth into a technological power capable of beating the united states there are nine chinese covid19 vaccines in development involving 1000 scientists and the chinese militarychinas center for disease control and prevention predicted that one of the vaccines could be in emergency use by september meaning that in the midst of the presidential election in the united states mr trump might see television footage of chinese citizens lining up for injectionsits a scenario we have thought about one member of mr trumps coronavirus task force said no one wants to be around that daytraditional versus new methods the more than 90 different vaccines under development work in radically different ways some are based on designs used for generations others use geneticbased strategies that are so new they have yet to lead to an approved vaccinei think in this case its very wise to have different platforms being tried out dr de wilde saidthe traditional approach is to make vaccines from viruseswhen our bodies encounter a new virus they start learning how to make effective antibodies against it but they are in a race against the virus as it multiplies sometimes they produce effective antibodies quickly enough to wipe out an infection but sometimes the virus winsvaccines give the immune system a head start they teach it to make antibodies in advance of an infectionthe first vaccines against diseases like smallpox and rabies were made from viruses scientists weakened the viruses so that they could no longer make people sicka number of groups are weakening the coronavirus to produce a vaccine against covid19 in april the chinese company sinovac announced that their inactivated vaccine protected monkeysanother approach is based on the fact that our immune system makes antibodies that lock precisely onto viruses as scientists came to understand this it occurred to them that they didnt have to inject a whole virus into someone to trigger immunity all they needed was to deliver the fragment of a viral protein that was the precise targettoday these socalled subunit viral vaccines are used against hepatitis c and shingles many covid19 subunit vaccines are now in testingin the 1990s researchers began working on vaccines that enlisted our own cells to help train the immune system the foundation of these vaccines is typically a virus called an adenovirus the adenovirus can infect our cells but is altered so that it doesnt make us sickscientists can add a gene to the adenovirus from the virus they want to fight creating whats known as a viral vector some viral vectors then invade our cells stimulating the immune system to make antibodiesresearchers at the university of oxford and the chinese company cansino biologics have created a viral vector vaccine for covid19 and theyve started safety trials on volunteers others including johnson johnson are going to launch trials of their own in the coming monthssome groups including the american company inovio pharmaceuticals are taking a totally different approach instead of injecting viruses or protein fragments theyre injecting pure dna which can be put through a process that yields the viral protein when immune cells encounter the protein they learn to make antibodies to itother teams are creating rna molecules rather than dna moderna and a group at imperial college london have launched safety trials for rna vaccines while experimental these genetic vaccines can be quickly designed and testeddesigning versus manufacturing it is one thing to design a vaccine in record time it is an entirely different challenge to manufacture and distribute one on a scale never before attempted billions of doses specially packaged and transported at belowzero temperatures to nearly every corner of the worldif you want to give a vaccine to a billion people it better be very safe and very effective said dr stoffels of johnson johnson but you also need to know how to make it in amounts weve never really seen beforeso the race is on to get ahead of the enormous logistical issues from basic manufacturing capacity to the shortages of medical glass and stoppers that mr gates and others have warned ofresearchers at johnson johnson are trying to make a fivedose vial to save precious glass which might work if a smaller dose is enough for inoculationeach potential vaccine will require its own customized production process in special clean facilities for drug making building from scratch might cost tens of millions of dollars per plant equipping one existing facility could easily cost from 5 million to 20 million ordering and installing the necessary equipment can take monthsgovernments as well as organizations like the gates foundation and the nonprofit coalition for epidemic preparedness innovations are putting up money for production facilities well before any particular vaccine is proven effectivewhats more some vaccines including those being tested by the american companies moderna and inovio rely on technology that has never before yielded a drug that was licensed for use or massproducedbut even traditional processes face challengesbecause of staff illnesses and social distancing the pandemic this spring slashed productivity by 20 percent at the milleporesigma facility in danvers mass that supplies many drug makers with the equipment used for brewing vaccinesthen about three weeks ago the first clinical trials for new proposed vaccines started urgent calls poured from customers around the world even before the first phase of the first trials manufacturers were scramblingdemand went through the roof and everybody wanted it yesterday said udit batra milleporesigmas chief executive who has expanded production and asked other customers to accept delays to avoid becoming a bottlenecktreatments versus vaccines even as the world waits for a vaccine a potential treatment for coronavirus is already here and more could be on the wayon friday the food and drug administration granted emergency authorization for the use of remdesivir as a treatment of severely ill patientsremdesivir showed modest success in a federally funded clinical trial slowing the progression of the disease but without significantly reducing fatality rates\nthe fdas decision to allow its use comes as hundreds of other drugs mainly existing medicines that are being used for other conditions are being tested around the world to see if they hold promise the fda said there are currently 72 therapies in trialstudies of drugs tend to move more quickly than vaccine trials vaccines are given to millions of people who are not yet ill so they must be extremely safe but in sicker people that calculus changes and side effects might be an acceptable riskas a result clinical trials can be conducted with fewer people and because drugs are tested in people who are already sick results can be seen more quickly than in vaccine trials where researchers must wait to see who gets infectedpublic health experts have cautioned there will likely be no magic pill rather they are hoping for incremental advances that make covid19 less deadlyalmost nothing is 100 percent especially when you are dealing with a virus that really creates a lot of havoc in the body said dr luciana borio a former director of medical and biodefense preparedness for the national security council under president trumpantiviral drugs like remdesivir battle the virus itself slowing its replication in the bodythe malaria drug hydroxychloroquine which has been enthusiastically promoted by mr trump and also received emergency authorization to be used in coronavirus patients showed early promise in the laboratory however small limited studies in humans have so far been disappointing\nso have some hiv treatments including a twodrug cocktail sold as kaletra which failed in a chinese trialother researchers have focused on identifying immunosuppressant drugs that address the most severe form of covid19 when the bodys immune system goes into overdrive attacking the lungs and other organsmany in the medical community are closely watching the development of antibody drugs that could act to neutralize the virus either once someone is already sick or as a way of blocking the infection in the first placeseveral hospitals are also administering plasma from recovered patients to people who are sick with covid19 in the hopes that the antibodies of survivors will give the patients a boostdr scott gottlieb a former fda commissioner and others said that by the fall the treatment picture for covid19 could look more hopefulif proven effective in further trials remdesivir may become more widely used one or two antibody treatments may also become available providing limited protection to health care workerseven without a vaccine dr borio said a handful of early treatments could make a difference if you can protect people that are vulnerable and you can treat people that come down with the disease effectively she said then i think it will change the trajectory of this pandemic\n", + "https://www.nytimes.com/", + "TRUE", + 0.0991494334445154, + 3703 + ], + [ + "If I get sick with COVID-19, how long until I will feel better?", + "it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease", + "https://www.health.harvard.edu/", + "TRUE", + 0.12380952380952381, + 45 + ], + [ + "What does it mean to self-isolate?", + "selfisolation is an important measure taken by those who have covid19 symptoms to avoid infecting others in the community including family members\nselfisolation is when a person who is experiencing fever cough or other covid19 symptoms stays at home and does not go to work school or public places this can be voluntarily or based on hisher health care providers recommendation however if you live in an area with malaria or dengue fever it is important that you do not ignore symptoms of fever seek medical help when you attend the health facility wear a mask if possible keep at least 1 metre distant from other people and do not touch surfaces with your hands if it is a child who is sick help the child stick to this adviceif you do not live in an area with malaria or dengue fever please do the following if a person is in selfisolation it is because heshe is ill but not severely ill requiring medical attention have a large wellventilated with handhygiene and toilet facilities if this is not possible place beds at least 1 metre apart keep at least 1 metre from others even from your family members monitor your symptoms daily isolate for 14 days even if you feel healthy if you develop difficulty breathing contact your healthcare provider immediately call them first if possible stay positive and energized by keeping in touch with loved ones by phone or online and by exercising yourself at home", + "https://www.who.int/", + "TRUE", + -0.00881032547699215, + 247 + ], + [ + "What does successful risk communications look like?", + "when you think of containing an epidemic from ebola to coronavirus labs and disease surveillance are often top of mind risk communications however is a key aspect in shaping the course of an epidemic and how prepared people are to combat itpeople need timely accurate and easytounderstand information that encourages protective behavior without inciting panic information based on the changing risk of transmission and not politics fear or stigma is criticalas coronavirus spreads government media and others need to elevate accurate information sources and built community trust while combatting misinformation", + "https://www.globalhealthnow.org/", + "TRUE", + 0.32500000000000007, + 90 + ], + [ + "How far has it spread?", + "china felt the initial brunt of the covid19 epidemic at the peak of its outbreak in midfebruary the country saw more than 5000 cases in a single day as of may 7 chinese health authorities had acknowledged over 83970 cases and 4637 deaths most of them within the province of hubei since march however the country has seen a remarkable slowdown on march 17 china recorded just 39 new cases of the virus most of the countrys new cases are imported from elsewhere in the world for now at least it appears that china has its outbreak under controlbut while things were slowing down in china the outbreak started picking up in the rest of the world there are now confirmed cases in at least 200 countries and territories outside of china the us has seen the highest number of cases the country which has been criticised for its slow rollout of testing and confused approach to the crisis now has 1228609 confirmed infections and 73431 deathsitaly has seen the highest number of deaths in europe with 29684 deaths and 214457 confirmed infections mostly in the north of the country the country has had the longestrunning lockdown of any country and on may 4 started to ease its restrictions for the first time after nine weeksspain is also in the grip of a significant outbreak the country has 220325 confirmed infections and 25857 deaths the thirdhighest number within europe after the uk and italy there citizens are under lockdown with the government shutting all schools bars restaurants and nonessential supermarkets down people are only allowed to leave their homes to buy food or to go to work germany has 168162 confirmed cases and 7275 deaths a rate lower than many other european countries social distancing rules stayed in place until may 4 but the country is slowly relaxing its requirements with some shops starting to reopen their doors austria which has 15752 confirmed cases and 609 deaths was the first european country to partially lift its lockdown on april 14while the number of new cases continues to rise sharply people are also recovering from the infection globally 1248874 people have recovered from covid19 about 33 per cent of all of the people who had confirmed infections although the true number of coronavirus cases will be much higher", + "https://www.wired.co.uk/", + "TRUE", + 0.1374362087776722, + 387 + ], + [ + "What is contact tracing, why is it important, and how is it done? ", + "contract tracing is a core public health function that public health agencies have done for years diagnostic tests can confirm whether a person is infected with an illness contact tracing involves finding out who the infected person had contacts with so that those individuals can be alerted that they are at a risk of developing the illness and at risk of potentially infecting others in the communityduring contact tracing the contacts of the infected person are generally called up asked if theyre feeling sick and advised to selfquarantine for a period of time during the quarantine period the health of the contacts can be monitored and health care or other services could be provided to them if they do develop symptoms also it is important to make sure that people who have been exposed to the illness are not circulating in the community and further spreading the disease", + "https://www.globalhealthnow.org/", + "TRUE", + 0.012301587301587306, + 148 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "Why might someone blame or avoid individuals and groups (create stigma) because of COVID-19?", + "people in the us may be worried or anxious about friends and relatives who are living in or visiting areas where covid19 is spreading some people are worried about getting the disease from these people fear and anxiety can lead to social stigma for example toward people who live in certain parts of the world people who have traveled internationally people who were in quarantine or healthcare professionalsstigma is discrimination against an identifiable group of people a place or a nation stigma is associated with a lack of knowledge about how covid19 spreads a need to blame someone fears about disease and death and gossip that spreads rumors and mythsstigma hurts everyone by creating more fear or anger toward ordinary people instead of focusing on the disease that is causing the problem", + "https://www.cdc.gov/", + "TRUE", + -0.024001924001924, + 132 + ], + [ + "Is there a vaccine?", + "currently there is no vaccine available to protect against covid19 although a global effort to find an effective vaccine is currently underway", + "https://www.chop.edu/", + "TRUE", + 0.2, + 22 + ], + [ + "People Who Are at Higher Risk for Severe Illness", + "covid19 is a new disease and there is limited information regarding risk factors for severe disease based on currently available information and clinical expertise older adults and people of any age who have serious underlying medical conditions might be at higher risk for severe illness from covid19", + "https://www.cdc.gov/", + "TRUE", + 0.07832405689548547, + 47 + ], + [ + "Will most of humanity be infected by the new coronavirus?", + "it is likely that eventually it will become endemic and most of us will get infected but one question is super important how long will it take for that to happen if it happens in a few months every hospital will be overwhelmed and people will not be treated for coronavirus or other diseases if it happens that fast it will be an unprecedented disaster however if we do our best in terms of prevention by practicing social distancing reducing travel not going to work when were sick we could slow spread of the disease if the same 6070 infection of the global population is spread over 3 years then hospitals dont get overwhelmed people can get treated and we have time to develop a vaccineits a completely different storythe difference between it happening fast or slow is potentially the difference between a 1918 flu level event and a bad flu season level event we have control over that", + "https://www.globalhealthnow.org/", + "TRUE", + 0.0438690476190476, + 159 + ], + [ + "How Coronavirus Mutates and Spreads", + "the coronavirus genomethe coronavirus is an oily membrane packed with genetic instructions to make millions of copies of itself the instructions are encoded in 30000 letters of rna a c g and u which the infected cell reads and translates into many kinds of virus proteinsa new coronavirusin december a cluster of mysterious pneumonia cases appeared around a seafood market in wuhan china in early january researchers sequenced the first genome of a new coronavirus which they isolated from a man who worked at the market that first genome became the baseline for scientists to track the sarscov2 virus as it spreads around the worlda typo in the rna a cell infected by a coronavirus releases millions of new viruses all carrying copies of the original genome as the cell copies that genome it sometimes makes mistakes usually just a single wrong letter these typos are called mutations as coronaviruses spread from person to person they randomly accumulate more mutationsthe genome below came from another early patient in wuhan and was identical to the first case except for one mutation the 186th letter of rna was u instead of cwhen researchers compared several genomes from the wuhan cluster of cases they found only a few new mutations suggesting that the different genomes descended from a recent common ancestor viruses accumulate new mutations at a roughly regular rate so the scientists were able to estimate that the origin of the outbreak was in china sometime around november 2019one descendent two more mutationsoutside of wuhan that same mutation in the 186th letter of rna has been found in only one other sample which was collected seven weeks later and 600 miles south in guangzhou china the guangzhou sample might be a direct descendent of the first wuhan sample or they might be viral cousins sharing a common ancestorduring those seven weeks the guangzhou lineage jumped from person to person and went through several generations of new viruses and along the way it developed two new mutations two more letters of rna changed to uwhen do mutations mattermutations will often change a gene without changing the protein it encodesproteins are long chains of amino acids folded into different shapes each amino acid is encoded by three genetic letters but in many cases a mutation to the third letter of a trio will still encode the same amino acid these socalled silent mutations dont change the resulting proteinnonsilent mutations do change a proteins sequence and the guangzhou sample of the coronavirus acquired two nonsilent mutationsbut proteins can be made of hundreds or thousands of amino acids changing a single amino acid often has no noticeable effect on their shape or how they worksome mutations disappear others spreadas the months have passed parts of the coronavirus genome have gained many mutations others have gained few or none at all this striking variation may hold important clues to coronavirus biologythe parts of the genome that have accumulated many mutations are more flexible they can tolerate changes to their genetic sequence without causing harm to the virus the parts with few mutations are more brittle mutations in those parts may destroy the coronavirus by causing catastrophic changes to its proteins those essential regions may be especially good targets for attacking the virus with antiviral drugsas mutations accumulate in coronavirus genomes they allow scientists to track the spread of covid19 around the worldthe first american case on january 15 a man flew home to the seattle area after visiting family in wuhan after a few days of mild symptoms he tested positive for covid19 he became the first confirmed case of covid19 in the united statesthe genome of his virus contained three singleletter mutations also found in viruses in china they allowed scientists to trace the mans infection to its sourceseattles hidden epidemicfive weeks later a high school student in snohomish county wash developed flulike symptoms a nose swab revealed he had covid19 scientists sequenced the genome of his coronavirus sample and found it shared the same distinctive mutations found in the first case in washington but also bore three additional mutationsthat combination of old and new mutations suggested that the student did not acquire the coronavirus from someone who had recently arrived from another country instead the coronavirus was probably circulating undetected in the seattle area for about five weeks since midjanuarysince then viruses with a genetic link to the washington cluster have now appeared in at least 14 states and several countries around the world as well as nine cases on the grand princess cruise shipearly transmission in california a different version of the coronavirus was also secretly circulating in california on feb 26 the cdc announced that a patient in solano county with no known ties to any previous case or overseas travel had tested positivea sample taken the next day revealed that the virus did not have the distinctive mutations found in washington state instead it only had a single mutation distinguishing it from the original wuhan genome that indicates that it got to california through a separate introduction from chinatwo healthcare workers who cared for the patient also became sick along with the patients mutation their sample had additional mutationsa torrent of viruses in january and february more people arrived in the united states carrying coronaviruses of their own some viruses carried mutations indicating they had arrived from china or other parts of asia but in new york city the majority of viruses researchers isolated from patients were genetic matches to viruses that had been circulating in europeshanghai to munichon jan 19 the same day the first washington patient tested positive for covid19 a woman from shanghai landed in munich not long before the trip her parents from wuhan had paid her a visit by the time she got to munich she felt only mild symptoms which she put down as jet lagthe woman was employed by a german auto parts supplier the day after she arrived she went to a company meeting several other employees at the meeting got sick and tested positive for covid19 the coronavirus genome from a german man at the meeting had mutations linking it back to chinagenetically similar versions of the virus later spread into other parts of europe but its unclear if they came from this cluster of cases or from a different introduction\nwelcome to new york march 1the first confirmed case of covid19 in new york was announced on march 1 after a woman living in manhattan was infected while visiting iran of all the viruses that scientists have studied in new york since then none bears the mutations in her coronavirus genome that indicates that her infection was not part of a continuing chain of transmissionsinstead most of the new york coronaviruses that scientists have sequenced show genetic links to coronaviruses in europe others came from asia and still others may have come from other parts of the united statesreintroductions and deportations march and aprilsoon the united states and europe became new sources for introductions to other countries dozens of guatemalans sent on deportation flights from the us later tested positive for the virus and coronaviruses carrying mutations that arose in europe have been reintroduced to asiaa slowmutating virus\nat this point in the pandemic coronavirus genomes with 10 or fewer mutations are common and only a small number have over 20 mutations which is still less than a tenth of a percent of the genomeover time viruses can evolve into new strains in other words viral lineages that are significantly different from each other since january researchers have sequenced many thousands of sarscov2 genomes and tracked all the mutations that have arisen so far they havent found compelling evidence that the mutations have had a significant change in how the virus affects usin fact researchers have found that the coronavirus is mutating relatively slowly compared to some other rna viruses in part because virus proteins acting as proofreaders are able to fix some mistakes each month a lineage of coronaviruses might acquire only two singleletter mutationsin the future the coronavirus may pick up some mutations that help it evade our immune systems but the slow mutation rate of the coronavirus means that these changes will emerge over the course of yearsthat bodes well for vaccines currently in development for covid19 if people get vaccinated in 2021 against the new coronavirus they may well enjoy a protection that lasts for yearswhat we dont knowresearchers have only sequenced a tiny fraction of the coronaviruses that now infect over three million people worldwidesequencing more genomes will uncover more chapters in the viruss history and scientists are particularly eager to study mutations from regions where few genomes have been sequenced such as africa and south america", + "https://www.nytimes.com/", + "TRUE", + 0.08858668733668736, + 1460 + ], + [ + "What’s convalescent plasma therapy? Do plasma donors and their recipients have to have the same blood type for this treatment?", + "convalescent plasma is the liquid part of blood from patients who have recovered from an infection the us food and drug administration says antibodies present in convalescent plasma are proteins that might help fight the infectionbut just like with normal blood donation donors and recipients must be matched by blood type type ab plasma is the only universal type and can be given to patients of any blood typethe fda said patients who are fully recovered from covid19 for at least two weeks are encouraged to consider donating plasmathe red cross said there are other requirements for plasma donorsyou are at least 17 years old and weigh at least 110 pounds the age requirement may differ according to organization and state other weight requirements apply for donors age 18 or youngeryou must be in good health overall health nowyou cannot donate if you are pregnant or have certain conditions such as hiv or sickle cell disease", + "https://www.cnn.com/", + "TRUE", + 0.020448179271708684, + 156 + ], + [ + "If you've been exposed to the coronavirus", + "as the new coronavirus spreads across the globe the chances that you will be exposed and get sick continue to increase if youve been exposed to someone with covid19 or begin to experience symptoms of the disease you may be asked to selfquarantine or selfisolate what does that entail and what can you do to prepare yourself for an extended stay at home how soon after youre infected will you start to be contagious and what can you do to prevent others in your household from getting sick what are the symptoms of covid19 some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumonia people with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptoms for example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke in addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtureswhat should i do if i think i or my child may have a covid19 infectionfirst call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrivalhow do i know if i have covid19 or the regular flu covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your areahow is someone tested for covid19a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get betterhow reliable is the test for covid19in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for results if a test result comes back positive it is almost certain that the person is infected a negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positive if you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing what is serologic antibody testing for covid19 what can it be used for a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rate\nserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the community scientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the ushow soon after im infected with the new coronavirus will i start to be contagious the time from exposure to symptom onset known as the incubation period is thought to be 3 to 14 days though symptoms typically appear within four or five days after exposure we dont know the extent to which people who are not yet experiencing symptoms can infect others but its possible that people may be contagious for several days before they become symptomatic for how long after i am infected will i continue to be contagious at what point in my illness will i be most contagiouspeople are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms the most recent research suggests that people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better if i get sick with covid19 how long until i will feel better it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease how long after i start to feel better will be it be safe for me to go back out in public again\nwe dont know for certain based on the most recent research people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better but these results need to be verified until then even after eight days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least 6 feet of distance away from other people whats the difference between selfisolation and selfquarantine and who should consider them selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negative selfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 viruswhat does it really mean to selfisolate or selfquarantine what should or shouldnt i doif you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and community stay home except to get medical care do not go to work school or public areas avoid using public transportation ridesharing or taxis call ahead before visiting your doctor call your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your home as much as possible stay in a specific room and away from other people in your home use a separate bathroom if available restrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask wear a face mask if you are sick wear a face mask when you are around other people or pets and before you enter a doctors office or hospital cover your coughs and sneezes cover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcohol clean your hands often wash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry avoid touching your eyes nose and mouth with unwashed hands dont share personal household items do not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and water clean all hightouch surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak monitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with others if you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrivewhat types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner when can i discontinue my selfquarantine while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others how can i protect myself while caring for someone that may have covid19 you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if available make sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items\nmy parents are older which puts them at higher risk for covid19 and they dont live nearby how can i help them if they get sick\ncaring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touchcan i infect my petthere have not been reports of pets or other animals becoming sick with covid19 but the cdc still recommends that people sick with covid19 limit contact with animals until more information is known if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.04052553229083844, + 3295 + ], + [ + "COVID-19 a Reminder of the Challenge of Emerging Infectious Diseases", + "the emergence and rapid increase in cases of coronavirus disease 2019 covid19 a respiratory illness caused by a novel coronavirus pose complex challenges to the global public health research and medical communities write federal scientists from nihs national institute of allergy and infectious diseases niaid and from the centers for disease control and prevention cdc their commentary appears in the new england journal of medicineniaid director anthony s fauci md niaid deputy director for clinical research and special projects h clifford lane md and cdc director robert r redfield md shared their observations in the context of a recently published reportlink is external on the early transmission dynamics of covid19 the report provided detailed clinical and epidemiological information about the first 425 cases to arise in wuhan hubei province chinain response to the outbreak the united states and other countries instituted temporary travel restrictions which may have slowed the spread of covid19 somewhat the authors note however given the apparent efficiency of virus transmission everyone should be prepared for covid19 to gain a foothold throughout the world including in the united states they add if the disease begins to spread in us communities containment may no longer be a realistic goal and response efforts likely will need to transition to various mitigation strategies which could include isolating ill people at home closing schools and encouraging telework the officials writedrs fauci lane and redfield point to the many research efforts now underway to address covid19 these include numerous vaccine candidates proceeding toward earlystage clinical trials as well as clinical trials already underway to test candidate therapeutics including an niaidsponsored trial of the experimental antiviral drug remdesivir that began enrolling participants on february 21 2020 the covid19 outbreak is a stark reminder of the ongoing challenge of emerging and reemerging infectious pathogens and the need for constant surveillance prompt diagnosis and robust research to understand the basic biology of new organisms and our susceptibilities to them as well as to develop effective countermeasures the authors conclude", + "https://www.nih.gov/", + "TRUE", + 0.06686147186147187, + 334 + ], + [ + "If my child is very sick, will she be able to get tested?", + "unless your child has a history of direct contact with someone who has tested positive for the virus a history of travel to affected areas or is sick enough to be hospitalized it is unlikely she will be testedavailability of testing depends on where you are dr oleary said even in the best case scenario you cant test everyone because there arent enough test kits at this point older and higherrisk patients are being prioritized for testing because they tend to develop the most severe symptoms after infectionif your child does get tested its unclear how quickly her results will come back and the time frame will most likely depend on where you are which lab is testing her and how long shes been sick its all over the map dr oleary said anecdotally he has heard about results taking anywhere from a few hours to seven days depending on the state and the level of demanda greater number of labs will be able to provide testing in the coming days according to dr oleary but because there may also be increased demand its unclear whether that will speed up testing time overall", + "https://www.nytimes.com/", + "TRUE", + 0.08677375256322624, + 193 + ], + [ + "How long can the coronavirus that causes COVID-19 survive on surfaces?", + "a recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfaces", + "https://www.health.harvard.edu/", + "TRUE", + 0.12760416666666669, + 200 + ], + [ + "Coronavirus: Commission offers financing to innovative vaccines company CureVac", + "today the commission offered up to 80 million of financial support to curevac a higly innovative vaccine developer from tübingen germany to scale up development and production of a vaccine against the coronavirus in europe commission president ursula von der leyen and commissioner for innovation research culture education and youth mariya gabriel discussed with the curevac management via videoconference the vicepresident of the european investment bank eib ambroise fayolle also participated the support would come in form of an eu guarantee of a currently assessed eib loan of an identical amount in the framework of the innovfin infectious disease finance facility under horizon 2020 commission president ursula von der leyen said in this public health crisis it is of utmost importance that we support our leading researchers and tech companies we are determined to provide curevac with the financing it needs to quickly scale up development and production of a vaccine against the coronavirus i am proud that we have leading companies like curevac in the eu their home is here but their vaccines will benefit everyone in europe and beyond mariya gabriel commissioner for innovation research culture education and youth said supporting excellent eu research and innovation is an essential part of our coordinated response against the spread of the coronavirus in 2014 curevac won eus first ever innovation inducement prize we are committed to support further its eubased research and innovation in these critical times science and innovation in europe are at the heart of our policies for protecting peoples health ambroise fayolle vicepresident for innovation in the european investment bank said the eib is and remains the eu bank for innovation even more than ever in the current health crisis thanks to our strong and fruitful long partnership with the commission in the area of research and innovation financial instruments innovfin we are determined to do our best to support curevac scale up needs for the benefits of eu citizen and beyond founded in 2000 curevac is a german biopharmaceutical company that has developed a novel technology to overcome one of the biggest barriers to using vaccines the need to keep them stable without refrigeration its vaccine technology is based on messenger rna mrna molecules that stimulate the immune system preliminary studies have shown that the technology holds a promise for rapid response to covid19 if proven millions of vaccine doses could potentially be produced at low costs in existing curevac production facilities curevac has already started its covid19 vaccine development program and estimates to launch clinical testing by june 2020 the commission recognised curevacs potential to bring lifesaving vaccines to people across the planet in safe and affordable ways already in 2014 when curevac received the first ever eu innovation inducement prize of 2 million funded by the eus research and innovation programme fp7 the award was intended to support further development of the breakthrough idea now the commission and the eib are strengthening jointly their efforts to provide the necessary means to curevac taking advantage of their long and fruitful cooperation in financial instruments dedicated to support research and innovation such as horizon 2020 innovfin and in particular its infectious disease finance facility background the support to curevac is part of coordinated eu response to the public health threat of covid19 working closely with the industry the commission has mobilised up to 140 million in public and private funding to support urgently needed research on 6 march the commission announced that it selected 17 projects involving 136 research teams to receive a total funding of 475 million from its research and innovation programme horizon 2020 the teams will work on developing vaccines new treatments diagnostic tests and medical systems aimed at preventing the spread of the coronavirus in addition the commission has committed up to 45 million for research on vaccines and treatments through a call published on 3 march by the innovative medicines initiative imi which is to be matched by the pharma industry so up to 90 million in all in the past years the european commission has invested greatly in research to prepare exactly for this type of public health emergency several eu funded projects are currently contributing to the european and global preparedness and response activities", + "https://ec.europa.eu/", + "TRUE", + 0.15239393939393941, + 705 + ], + [ + "Was the new coronavirus accidentally released from a Wuhan lab? It’s doubtful", + "i will tell you more and more were hearing the story that the new coronavirus emerged from a wuhan lab president trump isnt the only one hearing this tale the political world internet theorists intelligence analysts and global public health officials are abuzz with a big question is it possible that the new coronavirus which causes covid19 leaked from a labfor months chinese authorities have pointed to the huanan seafood wholesale market in wuhan as the viruss likely origin a cluster of early cases had contact with the market it sold a wide variety of wildlife that officials hypothesized was critical to the viruss formation and spread severe acute respiratory syndrome sars and middle east respiratory syndrome mers which cause similar symptoms were formed after a coronavirus from a bat transformed in another animal and then jumped to humansthe logic seems straightforward but a more complete analysis of early cases suggests that locating the origin of the virus may not be so simple a study published in the new england journal of medicine found that of the first 425 patients only 45 percent had connections to the market a separate jan 24 analysis published in the lancet found that three of the first four cases including the first known case did not have market linksdaniel r lucey a pandemics expert at georgetown university put it simply in my opinion the virus came into the market before it came out of the marketthat tinge of uncertainty was bolstered after washington post columnist josh rogin revealed two 2018 cables in which state department officials warned of safety issues at the wuhan institute of virology a laboratory studying bat coronaviruses renewed questions about the viruss origin brought a rush of alternative theories some claimed the virus was a bioweapon others suggested it had been altered for a scientific experiment or was simply a viral sample that escaped from a lablets be clear no scientist we spoke to thinks the new coronavirus was designed as a bioweapon when asked milton leitenberg a biological weapons expert at the university of maryland responded with a flat nomost experts say the new coronavirus was the product of a natural process still the safety issues described in the 2018 cables the chinese governments response and the proximity of the labs to the market have raised eyebrowsas college professors are fond of saying the absence of evidence is not the same as the evidence of absence the fact checker video team investigatesthe facts the labs in wuhan at least two labs study coronaviruses that originate in bats the wuhan institute of virology wiv and the wuhan center for disease control and prevention whcdc both are close to the seafood market the wiv is about eight miles away the whcdc is right around the cornerdespite the overlap in research what the two labs actually do is quite different the wiv is home to chinas first laboratory to receive the highest level of international bioresearch safety known as bsl4 in addition it houses lowerlevel bsl3 and bsl2 labs the whcdc is home only to a bsl2 labbsl2 is what we normally think of when we think of a lab explained angela rasmussen a virologist at columbia universitys mailman school of public health it is a lab where somebody is wearing a lab coat and gloves theyre at a bench bsl4 is akin to what is seen in movies such as contagionshe explained that the seemingly relaxed security is because coronaviruses found in bats dont infect human cells very well if at all so often theyre not considered major potential pathogens because they just dont grow very well in other species besides bats if scientists were being particularly cautious she explained they might work in a bsl3 labresearchers from both labs faced criticism in recent years that they have not followed appropriate safety protocols a video published in december 2019 shows tian junhua a prominent researcher based at the whcdc conducting field research on bats without appropriate protective equipmentwarnings from us diplomats in 2018 appeared to refer to the bsl4 lab at the wiv they reported during interactions with scientists at the wiv laboratory they noted the new lab has a serious shortage of appropriately trained technicians and investigators needed to safely operate this highcontainment laboratory\nbut rasmussen cautioned against putting too much weight on these reports without fail every single bsl4 lab in the us gets some type of safety violation some type of thing that they could do bettera 2019 paper written by wiv researchers about chinas effort to add more highlevel bioresearch labs warned the experience of laboratory biosafety personnel training is relatively lacking insufficient training staff and training problems such as uneven standards require urgent improvement a separate 2019 paper by yuan zhiming a chief scientist at wuhan described systemic deficiencies at highsecurity labs maintenance cost is generally neglected several highlevel bsls have insufficient operating funds for routine yet vital processes most laboratories lack specialized biosafety managers and engineers he wrotemonths after the new coronavirus was discovered the global times a staterun newspaper published an article outlining new government guidelines aimed at fixing chronic management loopholes at virus labs the article noted that some labs have paid insufficient attention to biological disposalcould a safety lapse have opened the door for the new coronavirus to escape one of these labs just as sars had to be clear sars escaped after it had been identified the initial outbreak did not begin this way accidents happen records reveal multiple accidents have led to the escape of dangerous pathogens and inadvertent infections at us laboratorieswhile no comparable records exist in china one of the worlds foremost experts on these viruses shi zhengli based at the wiv thought it was possible in march shi told the scientific american that in the early days of the outbreak even she wondered whether coronaviruses were to blame could they have come from our lab after all her lab had collected and sequenced tens of thousands of coronaviruses over the past decade she has since adamantly denied that the new coronavirus could have emerged from her lab her boss and the wiv issued similar denialsthe virussafety protocols arent a viruss only barrier between a life in a test tube and one infecting millions the virus would need to be able to infect humans or another animal that can then infect humans and that infection needs to be strong enough that it isnt immediately beaten by the immune system allowing it to spread among peoplemost known bat coronaviruses cannot do either of these things the novel coronavirus however can do both that said it is called novel for a reason it had never before appeared in scientific researchviruses like people have distinct genetic sequences that give scientists clues to their origin research published in the journal nature on feb 3 found that this virus falls within a family of known coronaviruses that come from bats it shares nearly 80 percent of the genome as the original sarscov and 96 percent of the genome of a virus ratg13 that shis team had previously sampledwhile 96 percent may sound like a big overlap to nonscientists the 4 percent difference is found in the part of the virus that binds to human cells without that adaptation lucey the georgetown professor put it simply its interesting but its not going to cause any outbreaks in peoplemoreover the two viruses are generations apart edward holmes an evolutionary virologist from the university of sydney who has written about the origin of the new virus explained via email that the two viruses shared a common ancestor that lived a long time ago what this means is that the new coronavirus is not derived from ratg13 holmes noted another virus that like ratg13 was sampled 1000 miles from wuhan in a cave in yunnan is a closer relative to the new virus but not close enough to be the direct ancestor and critically he said this other virus is not from the wuhan institute of virology nor from anywhere else in wuhanso how did this virus end up 1000 miles from the nearest known relative there are any number of potential explanations a wildlife trafficker might have brought an infected bat into the city another animal might have picked up the virus from bats years ago allowing it to transform in just the right way to infect humans there are thousands of bat viruses that scientists have not sampled and even more coronaviruses that circulate in other species so theres no guarantee it actually came from thousands of miles awaybut even if that virus from shis lab is not the source for the virus her lab is full of bat coronavirus variants that left us wondering could this virus have been the accidental product of an experiment gone awry a 2015 paper cautioned against the gain of function experiments with which shis team was involved in this kind of experiment the researchers mutate a virus strain to enhance a pathogens natural traits even though the most dangerous part of that experiment was not conducted at the wiv the 2018 state department cables referenced similar research by shi and her teamin 2017 shi and her team published a study revealing that they had found a coronavirus from a bat that could be transmitted directly to humans after reviewing the study rasmussen said via email that just because these viruses could attach to human cells it does not show that they are particularly effective at doing so binding is only one part of the process it is not the sole determinant of viral fitness the ability of the virus to replicate robustly in a given host or pathogenicity the ability of the virus to cause disease moreover genomic analysis reveals that none of the virus samples used to conduct these experiments were or could have been transformed to be the new coronavirus that causes covid19that however is just one study shis lab published dozens of academic papers researching bat coronaviruses the washington post reviewed academic studies that described scores of encounters with animals that are known hosts to deadly viruses including strains closely related to the pathogen behind the covid19 outbreakwhile the scientists wore gloves and masks and took other protective measures us experts who reviewed the experiments say the precautions would not necessarily protect the researchers from harmful exposures in caves or in the lab the post reportedthis kind of research filled in critical gaps in scientific understanding of sarslike coronaviruses it also increased the risk of accidental exposure and lab accidents but many scientists are still dubiouskristian g andersen an immunology and microbiology professor at scripps research alongside holmes and other researchers stated firmly our analyses clearly show that sarscov2 is not a laboratory construct or a purposefully manipulated virus trevor bedford a researcher in computational biology and infectious diseases at fred hutchinson cancer research center was more specific you dont see kind of large chunks of genomic material that are somehow inserted or absent he said rather it is the opposite the differences are these small mutations as youd expect from natureshi did not return our emails none of her current collaborators we spoke to could precisely speak to her current research still no scientist was willing to completely dismiss the idea they only said that it was highly unlikely after all we neither know what either lab was specifically working on nor do we have an archive of every animal in the lab and virus sequence in its freezer without identifying the earliest case and the evolution of the virus everything is a hypothesisrichard h ebright a microbiologist and biosafety expert at rutgers university said the question whether the outbreak virus entered humans through an accidental infection of a lab worker is a question of historical fact not a question of scientific fact the question can be answered only through a forensic investigation not through a scientific investigationthe chinese response the actions of chinese officials have done little to quash suspicion of a lab leak before the government had even alerted the world health organization to the growing epidemic scientists were told to destroy early samples of the virus according to the straits timesthen in an unusual move for the government officials quickly pinned the outbreak on the market but they have done little to provide supporting evidence for this theory officials reported that 33 of 585 environmental samples from the market contained the new coronavirus thirtyone of the positive samples were located in the area of the market known to sell wildlife but where exactly these samples were taken is not clear they could just as well have been taken from animal cages or a bathroom moreover china has not divulged the results of any tests done on any animals that were recovered from the market before it was cleaned\nseveral doctors journalists and researchers based in china appear to have suddenly gone quiet over this issue the new york times reported by midjanuary shortly after the sequence of the virus was made public that chinese scientists cut off official communications with their american counterpartson feb 6 botao xiao a molecular biomechanics researcher at south china university of technology published a paper arguing that the killer coronavirus probably originated from a laboratory in wuhan he pointed to the previous safety mishaps and the kind of research both labs undertake as evidence after the paper gained international attention chinese authorities flatly denied that an accident happened xiao later withdrew the paper explaining in a brief email to the wall street journal on feb 26 the speculation about the possible origins in the post was based on published papers and media and was not supported by direct proofsthe chinese governments actions have inhibited the scientific communitys ability to trace the origin of the virus and serve to only raise suspicions\nit just seems like such a remarkable coincidence that you have an outbreak of a coronavirus in theory from a bat in the same city where there is this highlevel bsl4 laboratory where not only are there foreign concerns about its safety but there are chinese articles about the safety protocols not being sufficient and obviously theres no smoking gun said emily de la bruyère a china expert with horizon advisory its all circumstantial but its pretty remarkable\nin a statement via email the chinese embassy in washington told the fact checker the source of the virus is a serious and complex matter of science that must be studied by scientists and medical experts many scientists have already pointed out that covid19 has a natural originbut the us government is not convinced the intelligence community will continue to rigorously examine emerging information and intelligence to determine whether the outbreak began through contact with infected animals or if it was the result of an accident at a laboratory in wuhan the director of national intelligence said in a statement on april 30the bottom line the balance of the scientific evidence strongly supports the conclusion that the new coronavirus emerged from nature be it the wuhan market or somewhere else too many unexpected coincidences would have had to take place for it to have escaped from a lab but the chinese government has not been willing or able to provide information that would clarify lingering questions about any possible role played by either wuhan labthats why intelligence agencies are still exploring that possibility no matter how remote it may be and even then its unclear when or if we will ever know the origin story of this new virus that is causing death and economic turmoil around the globe", + "https://www.washingtonpost.com/", + "TRUE", + 0.08993335096276277, + 2612 + ], + [ + "I heard that certain blood pressure medicines might worsen symptoms of COVID-19. Should I stop taking my medication now just in case I do get infected? Should I stop if I develop symptoms of COVID-19?", + "you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetesat this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animalscould this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumoniathe reality todayhuman studies have not confirmed the findings in animal studiessome studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.07054347826086955, + 256 + ], + [ + "Early Herd Immunity against COVID-19: A Dangerous Misconception", + "we have listened with concern to voices erroneously suggesting that herd immunity may soon slow the spread of covid19 for example rush limbaugh recently claimed that herd immunity has occurred in california as infectious disease epidemiologists we wish to state clearly that herd immunity against covid19 will not be achieved at a population level in 2020 barring a public health catastrophealthough more than 25 million confirmed cases of covid19 have been reported worldwide studies suggest that as of early april 2020 no more than 2435 of any countrys population has been infected with sarscov2 the coronavirus that causes covid19 even in hotspots like new york city that have been hit hardest by the pandemic initial studies suggest that perhaps 1521 of people have been exposed so far in getting to that level of exposure more than 17500 of the 84 million people in new york city about 1 in every 500 new yorkers have died with the overall death rate in the city suggesting deaths may be undercounted and mortality may be even highersome have entertained the idea of controlled voluntary infection akin to the chickenpox parties of the 1980s however covid19 is 100 times more lethal than the chickenpox for example on the diamond princess cruise ship the mortality rate among those infected with sarscov2 was 1 someone who goes to a coronavirus party to get infected would not only be substantially increasing their own chance of dying in the next month they would also be putting their families and friends at risk covid19 is now the leading cause of death in the united states killing almost 2000 americans every day chickenpox never killed more than 150 americans in a yearto reach herd immunity for covid19 likely 70 or more of the population would need to be immune without a vaccine over 200 million americans would have to get infected before we reach this threshold put another way even if the current pace of the covid19 pandemic continues in the united states with over 25000 confirmed cases a day it will be well into 2021 before we reach herd immunity if current daily death rates continue over half a million americans would be dead from covid19 by that timeas we discuss when and how to phase in reopening10 it is important to understand how vulnerable we remain increased testing will help us better understand the scope of infection but it is clear this pandemic is still only beginning to unfold", + "https://coronavirus.jhu.edu/", + "TRUE", + 0.10835497835497836, + 411 + ], + [ + "How do people catch COVID-19?", + "covid19 is able to spread from person to person the virus seems to spread when people cough or sneeze and when people touch objects and surfaces that have the virus on themthe virus can survive for up to 24 hours on cardboard and for up to three days on stainless steel and plastic infected people can spread this virus even if they dont have any symptoms yetyou are more likely to catch the infection if you live in or have travelled to an area where covid19 has been reported you have been in close contact with someone who has covid19 you are having treatment for cancer you are older you are male you are obese you have chronic kidney disease", + "https://bestpractice.bmj.com/", + "TRUE", + 0.21471861471861473, + 120 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "Are there any specific medicines to prevent or treat the new coronavirus?", + "to date there is no specific medicine recommended to prevent or treat the new coronavirus 2019ncovhowever those infected with the virus should receive appropriate care to relieve and treat symptoms and those with severe illness should receive optimized supportive care some specific treatments are under investigation and will be tested through clinical trials who is helping to accelerate research and development efforts with a range or partners", + "https://www.who.int/", + "TRUE", + 0.22727272727272724, + 67 + ], + [ + "Public health", + "the coronavirus is a highly infectious disease everyone is responsible for reducing the spread and must take simple precautions you must protect yourself and those around you all eu member states are affected by the coronavirus outbreak you can find information specific to your country by consulting the national coronavirus response websites the commissions top priorities are safeguarding the health and wellbeing of our citizens and using all of the tools at its disposal this is why it is taking all necessary steps to coordinate with member states and to facilitate the supply of protective and medical equipment across europe public procurement of medical and protective equipment personal protective equipment masks gloves goggles faceshields and overalls as well as medical ventilators and testing kits are vital for hospitals healthcare professionals patients field workers and civil protection authorities the voluntary joint procurement agreement with member states and the united kingdom and norway enables the joint purchase of such equipment and supplies the commission launched four different calls for tender for medical equipment and supplies on 28 february gloves and surgical gowns 17 march personal protective equipment for eye and respiratory protection as well as medical ventilators and respiratory equipment and 19 march laboratory equipment including testing kits with participation of up to 25 member states these initiatives are proving successful in response to the first call the commission has received offers that can match the requests evaluations have finished and contracts are expected to be signed in the coming weeks the equipment should then be available in the member states shortly when conducting joint procurements the european commission has a coordinating role while the member states purchase the goods guidance on using the public procurement framework on 1 april the european commission published guidance on how to use all the flexibilities offered by the eu public procurement framework in the emergency situation related to the coronavirus outbreak the guidance provides an overview of the tendering procedures available to public buyers applicable deadlines and examples of how public buyers could find alternative solutions and ways of engaging with the market to supply much needed medical supplies this guidance makes it easier for public buyers to supply vital protective equipment and medical supplies to those in need by making it easier to conduct public procurements while still upholding high safety and quality standards increasing european production capacities to address the coronavirus outbreak manufacturers in europe and the european commission must collaborate to massively rampup overall production of personal protective equipment the commission and the european standardisation organisations agreed on 20 march that all the relevant european harmonised standards will exceptionally be made freely and fully available for all interested companies this action will help both eu and thirdcountry companies to manufacture these items without compromising on our health and safety standards and without undue delays on 24 march the commission adopted decisions on revised harmonised standards that will allow manufacturers to place on the market high performing devices to protect patients health care professionals and citizens in general the revised standards play a pivotal role because they relate to critical devices such as medical facemasks surgical drapes gowns and suits washerdisinfectors or sterilization the harmonised standards will cover equipment such as medical facemasks personal eye protection medical gloves protective clothing as well as respiratory protective devices on 30 march the commission announced that it will be making guidance available in three areas to assist manufacturers in increasing the output of essential medical equipment and material the production personal protective equipment such as masks leaveon hand cleaners and hand disinfectants and 3d printing guidance on medical devices in the coronavirus context was published on 3 april these documents can assist manufacturers and market surveillance authorities in ensuring that these products are effective and comply with necessary safety standards stockpiling and distributing supplies and equipment on 19 march as an additional safety net the commission proposed creating a strategic resceu stockpiling a common european reserve of medical equipment such as ventilators personal protective equipment reusable masks vaccines and therapeutics and laboratory supplies the commission will finance 90 of the costs of the stockpiling and will manage the distribution of the equipment to ensure it goes where it is needed most export authorisations already on 15 march the commission took steps to secure the availability of personal protective equipment by requiring exports of such equipment destined for outside the european union to be subject to an export authorisation by member states on 19 march the commission approved guidance accompanied by an annex on how to implement these measures as a result almost all member states have lifted by now national export restrictions and the protective equipment can be delivered seamlessly across the union to where it is most needed the commission has decided to exempt norway iceland liechtenstein and switzerland countries part of the european free trade association from the export authorisation requirements similar exemptions have been granted to andorra the faroe islands san marino and the vatican as well as the associated countries and territories that have special relations with denmark france the netherlands and the united kingdom socalled annex ii countries supporting member states in need the european commissions emergency response coordination centre plays a key role in relief efforts and stands ready 247 to assist all countries in europe and beyond that request specific support this can take the form of cofinancing of transport of assistance including personal protective equipment and other support such as the provision of expertise eu solidarity for health initiative on 2 april the european commission launched the eu solidarity for health initiative aimed at directly supporting the healthcare systems of eu member states in combating the coronavirus pandemic this initiative will provide for around 6 billion to cater for the needs of european health systems half of the amount will come from what is left of the eu budget with the other half coming from additional contributions requested from member states the initiative will enable the commission to purchase emergency support on behalf of member states and distribute medical supplies financially support and coordinate transportation of medical equipment and of patients support the recruitment of additional healthcare workforce and support the construction of mobile field hospitals a european team of coronavirus experts on 17 march the european commission set up an advisory panel on coronavirus composed of seven expert epidemiologists and virologists from several member states to formulate sciencebased eu response guidelines and coordinate risk management measures the panel which was created following a mandate by eu member states is chaired by commission president ursula von der leyen and stella kyriakides commissioner for health and food safety the panels agenda and summaries of meetings are available under the meetings tab here based on the scientific advice of the european centre for disease prevention and control and the covid19 advisory panel the european commission published first recommendations for community measures for testing strategies on 19 march and on health systems resilience on 30 march", + "https://ec.europa.eu/", + "TRUE", + 0.08785921325051763, + 1165 + ], + [ + "Taking a hot bath does not prevent the new coronavirus disease", + "taking a hot bath will not prevent you from catching covid19 your normal body temperature remains around 365c to 37c regardless of the temperature of your bath or shower actually taking a hot bath with extremely hot water can be harmful as it can burn you the best way to protect yourself against covid19 is by frequently cleaning your hands by doing this you eliminate viruses that may be on your hands and avoid infection that could occur by then touching your eyes mouth and nose", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.34444444444444444, + 86 + ], + [ + "Can we see other families at all?", + "were really encouraging zero play dates at this point said dr oleary theoretically he said it might be feasible for your child to play outside with one other child if they can keep six feet apart but the reality is that keeping younger kids from touching their friends is nearly impossible if you have an older child who you know can absolutely stay six feet apart from his pals in a wide open space its fine for them to play but monitor them closely always make sure they are washing hands vigorously when they come inside", + "https://www.nytimes.com/", + "TRUE", + 0.08397435897435898, + 96 + ], + [ + "How are people being infected with COVID-19?", + "we still dont fully understand how the new coronavirus spreads but were learning more every daythe new coronavirus has upended all of our usual calculus about seemingly ordinary activities is running past someone on the street safe how about shopping in a grocery store with a 6foot 2 meters distance and what about packages and takeout and which of these activities poses the biggest riskunfortunately theres a lot we still dont know about the way the virus that causes covid19 spreadsat this point i dont think anyone can take a group of people with covid say how each person has become infected and then say that xx got infected with droplets and yy got infected via touching surfaces dr jeffrey n martin a professor in the department of epidemiology and biostatistics at the university of california san francisco told live science in an email i dont think this kind of study has ever been done for any infection in most individual persons we do not know how the person got infectedrespiratory transmission while the basic outlines of disease transmission have not been upended by covid19 there are some nuances that could play an important role in the spread of the disease from the beginning the centers for disease control and prevention cdc have said that sarscov2 is a respiratory virus and as such it is mainly transmitted between people through respiratory droplets when symptomatic people sneeze or cough this idea that large droplets of virusladen mucus are the primary mode of transmission guides the cdcs advice to maintain at least a 6foot distance between you and other people the thinking is that gravity causes those large droplets which are bigger than about 0002 inches or 5 microns in size to fall to the ground within a distance of 6 feet from the infected person\nbut that 6foot guideline is more of a ballpark estimate than a hard and fast rule said josh santarpia the research director of countering weapons of mass destruction program at the university of nebraskas national strategic research institutethere really isnt anything magic about standing 6 feet away from someone that you are interacting with directly if you stand talking to someone who is infected with the virus whether its 3 feet or 6 feet there is going to be some risk of infection santarpia told live science in an email thats because even large respiratory droplets can travel fairly far if the airflow conditions are right santarpia saidand some experts believe the 6foot rule is based on outdated information6 feet is probably not safe enough the 36 foot rule is based on a few studies from the 1930s and 1940s which have since been shown to be wrong droplets can travel farther than 6 feet said raina macintyre a principal research fellow and professor of global biosecurity who heads the biosecurity program at the kirby institute in australia yet hospital infection control experts continue to believe this rule its like the flat earth theory anyone who tries to discuss the actual evidence is shouted down by a chorus of believersanother complicating factor is that at least 25 of the people who are transmitting the virus may be asymptomatic at the time said dr robert redfield director of the centers for disease control and prevention live science previously reported that suggests coughs and sneezes arent necessary to transmit the virus though its not clear whether simply breathing spreads the virus or whether talking is requiredaerosol transmission\nin order for the virus to be spread without being coughed or sneezed in large drops of mucus it has to somehow be able to suspend in the air for long enough to infect passersby and thats another complicating factor in figuring out transmission people emit virus particles in a range of sizes and some are small enough to be considered aerosols or fine particles that can stay suspended in the air for hours and can travel with air currents across tens of feet a study published march 17 in the new england journal of medicine found that virus particles that were aerosolized could remain viable for up to 3 hourswhats not clear from this data is whether the virus is commonly transmitted via aerosols or how long the virus remains infectious in aerosols in realworld settings in that study researchers used an extremely high concentration of virus particles which may not reflect those shed by people with the disease\nto my knowledge there is no definitive evidence of transmission where aerosol was the only possible route santarpia told live science for instance even someone whos not sneezing may emit respiratory droplets when talking because people may spit when talking and those droplets could be deposited on surfacesone case study is suggestive however a choir group in skagit washington met for a twohour practice in early march no one was symptomatic so singers werent coughing or sneezing out infected droplets and everyone kept their distance but when all was said and done 45 people became infected with covid19 and at least two people died from the virus the los angeles times reported that suggested the viral particles were shed as aerosols by someone before being inhaled or otherwise acquired by other choir members a 2019 study in the journal nature scientific reports found that people emit more aerosol particles when talking and that louder speech volumes correlate to more aerosol particles being emitted fight against online child sexual abuse this national childrens day with the national crimethat case along with those studies suggest that the virus can be routinely transmitted via aerosols though other routes of transmission such as large droplets being emitted during singing or speech are still possible explanations in the 2003 sars outbreak aerosol transmission occurred during hospital procedures that generated large volumes of aerosols such as intubation contact transmissiontheres one other route thats thought to play a role in the spread of covid19 contact transmission in that situation viral particles emitted from the respiratory tract of an infected individual land on a surface then another person touches that object then touches their nose mouth or eyes the virus then sneaks into the body via the mucous membranes infecting the second person so far no one knows how common this mode of transmission is but it does seem to be possible one study found that sarscov2 could remain viable on surfaces such as cardboard for up to 24 hours and on plastic and steel for 2 to 3 days santarpia has studied viral surface contamination in the context of patients hospitalized with covid19 at the university of nebraska medical center in that study which was published march 26 on the preprint database medrxiv santarpia and his colleagues found viral contamination in air samples on surfaces such as toilets and on frequently touched surfaces also on march 26 the cdc published a report on the coronavirusstricken diamond princess cruise ship an investigative team found traces of rna from sarscov2 on surfaces throughout the cruise ship in the cabins of both symptomatic and asymptomatic infected passengers up to 17 days later though no evidence suggests this viral rna was still infectious sarscov2 is an rna virus meaning its main genetic material is rna not dna another case report published by the cdc this time from singapore also suggests contact with contaminated surfaces can transmit the virus in that case a person who was infected with sarscov2 but not yet symptomatic attended a church service later in the day another person sat in the same seat and also came down with covid19 whether the virus was contracted via a contaminated surface or potentially a lingering aerosol however couldnt be ascertained\nis food safeso far theres no evidence that the virus is transmitted via food the virus will not live long in food proper and while its possible that food packaging from groceries or takeout could contain small concentrations of virus particles it is easy to mitigate this risk by washing your hands after handling groceries or takeoutben chapman a professor and food safety specialist at north carolina state university previously told live sciencerelated how to shop for groceries during the covid19 pandemicthe takeawaythe fact that so many seemingly innocuous activities can transmit the virus can be scary and it can be even scarier not knowing the actual risks associated with each transmission route without that information how can we take the right steps to protect ourselvesbut ultimately theres some reassurance in the data as wellwhat is true is that persons who have a member of their household infected with the virus have a higher probability of getting infected with covid than people who do not have a member of their household infected this tells us a lot this tells us that close contact is the most important factor martin saidbriefly passing a person on the street at a distance of 6 feet is likely to pose a low risk of infection martin said chatting at a distance of 6 feet with that same person for a few hours will be higher risk he said ultimately social distancing is a powerful tool to cut all the hypothesized routes of transmission experts saidif the other person is shedding virus into the air the longer you stand near them the greater the chance you have to be exposed to the virus linsey marr who studies the transport of air pollutants in the department of civil and environmental engineering at virginia tech told live science", + "https://www.livescience.com/", + "TRUE", + 0.066998258857763, + 1580 + ], + [ + "How coronavirus started and what happens next, explained", + "on december 31 2019 the world health organisations who china office heard the first reports of a previouslyunknown virus behind a number of pneumonia cases in wuhan a city in eastern china with a population of over 11 millionwhat started as an epidemic mainly limited to china has now become a truly global pandemic there have now been over 3766394 confirmed cases and 263983 deaths according the john hopkins university covid19 dashboard which collates information from national and international health authorities the disease has been detected in more than 200 countries and territories with italy the us and spain experiencing the most widespread outbreaks outside of china in the uk there have been 201101 confirmed cases and 30076 deaths as of may 5 the true number of infections and deaths is likely to be considerably higher\nthe chinese government responded to the initial outbreak by placing wuhan and nearby cities under a defacto quarantine encompassing roughly 50 million people in hubei province this quarantine is now slowly being lifted as authorities watch to see whether cases will rise again the us is now the new epicentre of the covid19 outbreak as of may 7 the country has 1228609 confirmed infections and 73m431 deaths in italy where the death toll surpassed that of china on march 19 the government took the unprecedented step of extending a lockdown to the entire country shutting cinemas theatres gyms discos and pubs and banning funerals and weddings in the uk the government has shut schools pubs restaurants bars cafés and all nonessential shops for at least six weeks\non march 23 prime minister boris johnson put the uk under lockdown saying that police will now have the power to fine people who gather in groups of more than two or who are outside for nonessential reasons people with the main coronavirus symptoms a fever or dry cough are required to stay at home for seven days while households in which at least one person is displaying symptoms should quarantine themselves for 14 days four days later the prime minister and health secretary matt hancock both tested positive for the virus johnson spent three nights in intensive care and then stayed at the prime ministers country residence chequers to recover he returned to work at downing street on the morning of april 27on march 11 the who officially declared the covid19 outbreak a pandemic who has been assessing this outbreak around the clock and we are deeply concerned both by the alarming levels of spread and severity and by the alarming levels of inaction said its directorgeneral tedros adhanom ghebreyesus although the who designated covid19 a public health emergency of international concern pheic on january 30 it had been reluctant to call it a pandemic pandemic is not a word to use lightly or carelessly it is a word that if misused can cause unreasonable fear or unjustified acceptance that the fight is over leading to unnecessary suffering and death adhanom saida quick note on naming although popularly referred to as coronavirus on february 11 the who announced the official name of the disease covid19 the virus that causes that disease is called severe acute respiratory syndrome coronavirus 2 or sarscov2 for short", + "https://www.wired.co.uk/", + "TRUE", + 0.09267161410018554, + 537 + ], + [ + "Symptoms of Coronavirus", + "older adults and people who have severe underlying medical conditions like heart or lung disease or diabetes seem to be at higher risk for developing more serious complications from covid19 illness watch for symptomspeople with covid19 have had a wide range of symptoms reported ranging from mild symptoms to severe illnesssymptoms may appear 214 days after exposure to the virus people with these symptoms may have covid19coughshortness of breath or difficulty breathing feverchillsmuscle painsore throat new loss of taste or smellchildren have similar symptoms to adults and generally have mild illnessthis list is not all inclusive other less common symptoms have been reported including gastrointestinal symptoms like nausea vomiting or diarrhea\nwhen to seek emergency medical attentionlook for emergency warning signs for covid19 if someone is showing any of these signs seek emergency medical care immediatelytrouble breathingpersistent pain or pressure in the chestnew confusioninability to wake or stay awakebluish lips or facethis list is not all possible symptoms please call your medical provider for any other symptoms that are severe or concerning to youcall 911 or call ahead to your local emergency facility notify the operator that you are seeking care for someone who has or may have covid19", + "https://www.cdc.gov/", + "TRUE", + 0.03098484848484847, + 199 + ], + [ + "Remdesivir: Promising but Not a “Knockout”", + "covid19 patients given remdesivir recovered faster than those taking a placebo according to preliminary results from a clinical trial released by the us national institute of allergy and infectious diseases yesterdaythe experimental drug speeded recovery by 4 days for patients hospitalized with advanced covid19reducing it from 15 days to 11 days stat reportsniaid director anthony fauci hailed the results as a very important proof of concept but cautioned its not a knockout the difference in the mortality rate8 for the remdesivir group vs 116 for the placebo groupis not considered statistically significant niaid said more comprehensive data will be released soon\nit is also likely that the treatment will work best when given earlyand therefore better diagnostic testing will be key to identifying potential beneficiaries as soon as possible what will be important is that we find vulnerable people on the outpatient side who are positive and bring them into the hospital if they take a turn for the worse says nahid bhadelia medical director of boston medical centers special pathogens unitsome scientists also raised concerns about the preliminary release in the white house ahead of scientific peer review according to the new york times fauci cited concerns about leaks and the ethical need to switch people on the placebo to the drug for the early release reuters reports the fda appears poised to announce emergencyuse authorization for the drug", + "https://www.globalhealthnow.org/", + "TRUE", + 0.17798996458087368, + 230 + ], + [ + "COVID-19 (coronavirus) quarantine, self-isolation and social distancing", + "youve read about people selfquarantining social distancing or isolating themselves during the coronavirus disease 2019 covid19 pandemic you may be confused about the various terms and wonder what you should be doingthese terms describe approaches for limiting the spread of disease during epidemics and pandemicssocial distancing keeping space between yourself and other people outside your household to prevent the spread of diseasequarantine separating people and limiting movement of people who have or may have been exposed to the disease to see if they become illisolation separating people who are ill from others to keep the disease from spreadingsocial distancingyoure likely practicing social distancing if theres ongoing community spread of covid19 where you live for example youre likely keeping social distance by staying at least 6 feet 2 meters away from others outside your home and avoiding large groups follow specific social distancing guidelines from the us centers for disease control and prevention cdc world health organization who and your local health departmentquarantinedoctors or local health departments may ask or require people to go into quarantine whove recently had close contact with someone with covid19 who might have been exposed to covid19 or whove recently traveled from a place with ongoing community spread quarantine can mean staying at a specific facility or staying at home people who dont develop symptoms of covid19 after the quarantine period ends are releasedif youre quarantining at home because you might have been exposed to covid19 the cdc recommends that you monitor yourself as followswatch for common signs and symptoms such as fever cough or shortness of breathkeep distance 6 feet or 2 meters between yourself and othersif you develop symptoms check your temperatureisolate yourself at home if you feel illcall your doctor if symptoms worsenin addition to these measures if youve recently had close contact with someone with covid19 or recently traveled from or lived in an area with ongoing community spread of covid19 the cdc has these quarantine recommendationscheck your temperature two times a daystay home for 14 daysstay away from other people as much as possible especially people at high risk of serious illnessisolationdoctors or local health departments may take special isolation precautions for coronavirus disease 2019 covid19 asking or requiring people who have or think they might have covid19 to go into isolation hospitals have isolation units for this purpose for very ill people but doctors may advise many people with mild symptoms of covid19 to isolate at homeduring home isolation youll need to stay away from family members to keep them from getting the infection avoid sharing dishes glasses bedding and other household items use a separate bedroom and bathroom if possible if your symptoms get worse contact your doctor for medical advice follow recommendations from your doctor and local health department about when you can end isolation these measures can help limit the spread of covid19", + "https://www.mayoclinic.org/", + "TRUE", + -0.042350596557913636, + 476 + ], + [ + "How contagious is the virus?", + "it seems to spread very easily making containment efforts difficultthe scale of an outbreak depends on how quickly and easily a virus is transmitted from person to personthe new coronavirus seems to spread very easily especially in homes hospitals churches cruise ships and other confined spaces it is much more contagious than sars another coronavirus that circulated in china in 2003 and sickened about 8000 peoplethe pathogen can travel through the air enveloped in tiny respiratory droplets that are produced when a sick person breathes talks coughs or sneezesthese droplets fall to the ground within a few feet that makes the virus harder to get than pathogens like measles chickenpox and tuberculosis which can travel 100 feet through the air but it is easier to catch than hiv or hepatitis which spread only through direct contact with the bodily fluids of an infected personresearch is still in its early stages but some estimates suggest that each person with the new coronavirus could infect between two and four people without effective containment measures that is enough to sustain and accelate an outbreak if nothing is done to reduce itheres how that works in the animation below a group of five infected people could spread the virus to about 368 people over just five cycles of infectionif 5 people with new coronavirus each infected 26 others there could be 368 people sick after 5 cyclescompare that with a less contagious virus like the seasonal flu which can be slowed by vaccines and immunity from past epidemics people with the flu tend to infect 13 other individuals on average the difference may seem small but the result is a striking contrast only about 45 people might be infected in the same scenarioif 5 people with seasonal flu each infected 13 others there could be 45 people sick after 5 cyclesthe transmission numbers of any disease arent set in stone they can change depending on how much people interact at school work or religious gatherings when global health authorities methodically tracked and isolated people infected with sars in 2003 they were able to bring the average number each sick person infected down to 04 enough to stop the outbreakhealth authorities around the world are expending enormous effort trying to repeat that but the number of people infected globally is rising quickly with large clusters of cases in italy iran japan and south koreathe viruss high rate of transmission means containment measures such as wearing masks keeping a distance from infected people and implementing quarantines if people are exposed must block more than 60 percent of transmissions in order to effectively control the outbreak which is difficultcoronavirus cases have far surpassed the rate of new sars cases in 2003", + "https://www.nytimes.com/", + "TRUE", + 0.03731294710018114, + 454 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 81 + ], + [ + "How COVID-19 Spreads", + "persontoperson spread the virus is thought to spread mainly from persontoperson between people who are in close contact with one another within about 6 feet through respiratory droplets produced when an infected person coughs sneezes or talks these droplets can land in the mouths or noses of people who are nearby or possibly be inhaled into the lungs some recent studies have suggested that covid19 may be spread by people who are not showing symptoms maintaining good social distance about 6 feet is very important in preventing the spread of covid19 spread from contact with contaminated surfaces or objects it may be possible that a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes this is not thought to be the main way the virus spreads but we are still learning more about this virus cdc recommends people practice frequent hand hygiene which is either washing hands with soap or water or using an alcoholbased hand rub cdc also recommends routine cleaning of frequently touched surfaces how easily the virus spreads how easily a virus spreads from persontoperson can vary some viruses are highly contagious like measles while other viruses do not spread as easily another factor is whether the spread is sustained which means it goes from persontoperson without stopping the virus that causes covid19 is spreading very easily and sustainably between people information from the ongoing covid19 pandemic suggest that this virus is spreading more efficiently than influenza but not as efficiently as measles which is highly contagious covid19 is thought to spread mainly through close contact from persontoperson in respiratory droplets from someone who is infected people who are infected often have symptoms of illness some people without symptoms may be able to spread virus", + "https://www.cdc.gov/", + "TRUE", + 0.2844666666666667, + 306 + ], + [ + "Inside the extraordinary race to invent a coronavirus vaccine", + "companies are launching trials at an unprecedented pace but some worry about the tradeoffs between speed and safetyian haydon a healthy 29yearold reported to a medical clinic in seattle for a momentous blood draw last weekoh yeah said the nurse taking his blood that is liquid goldhaydon is an obscure but important participant in the most consequential race for a vaccine in medical history in early april he was among the first people in the united states to receive an experimental vaccine that could help end the coronavirus crisis he volunteered to be a test subject knowing about the risks and unknowns but eager to do his part to help end the worst pandemic in a centuryscientists at the national institutes of health in bethesda md will study blood from haydon and others for signs that the vaccine triggered an immune response to a pathogen they have never encountered it would be the first preliminary signal that the vaccine could provide immunity to covid19 the disease caused by the virus that has claimed more than 200000 livesa coronavirus vaccine has become the light at the end of a very long tunnel the tool that will bring the virus to heel allowing people to attend sports events hug friends celebrate weddings and grieve at funerals the goal to deliver a vaccine in 12 to 18 months often repeated by the nations top infectious disease scientist has become the one reassuring refrain during briefings on the crisis the white house put together a task force called operation warp speed to try to move even faster making hundreds of millions of doses ready by januarywith at least 115 vaccine projects in laboratories at companies and research labs the science is hurtling forward so fast and bending so many rules about how the process usually works that even veteran vaccine developers do not know what to expectscientific steps that typically take place sequentially over years animal testing toxicology studies laboratory experiments massive human trials plans to ramp up production are now moving in fastforward and in parallel experts keep using the word unprecedentedits a thrilling time in vaccine science but also an unnerving oneus regulators are firm in that they will not sacrifice safety for speed but some ethicists raise concerns about pandemic research exceptionalism in which the demand to speed a vaccine to market could come at the expense of evidence and fuel the powerful antivaccine lobbythe 26 years it took us to make the rotavirus vaccine is pretty typical if its 12 to 18 months youre skipping steps said paul offit who developed a vaccine for rotavirus which causes deadly diarrhea in infants and children is that a little risky yes it is but so is getting infected with the virusscience at lightning speed on a weekend in early january scientists at inovio pharmaceuticals a biotech company outside of philadelphia began designing a vaccine for a mysterious pneumonia that didnt even have a name they like other teams around the world used the genetic blueprint of the novel coronavirus shared online by chinese scientists as their guideit took about three hours to design the vaccine said joseph kim the chief executive of inovioscientists at nih had been in talks about partnering with a massachusetts biotechnology company moderna and immediately began designing another vaccine candidate by the end of the month it was in production in a factory filled with robots in a suburb south of bostonwith an array of promising vaccine technologies fueled by early scientific openness dozens of vaccine efforts kicked off blindingly fast in dozens of countriesthen the tough work began kim saiddesigning a promising vaccine is in some ways the easy part showing that it is safe and effective and then scaling up production can takes years or even decades researchers are now trying to compress that timeline in ways they never have before against a type of virus they have never successfully quelled in some cases they are also harnessing technologies that have never been used in approved vaccines in contrast scientists develop a new flu vaccine each year an effort that is more of a plug and play situation where a timetested basic platform can be redirected to fight new flu strainsits another reason for better preparedness said barney graham the deputy director of the vaccine research center at the national institutes of health pointing out that his lab had developed a vaccine for mers a related coronavirus but only got it through mouse studies if wed taken at least two to three vaccine concepts through early phase clinical trials on mers we might have a better idea on what to focus on for this sars coronavirus so instead of working with 115 different vaccine ideas we might be working on five\nscientists at oxford university have announced the most aggressive timeline with plans to make their vaccine which depends on a weakened cold virus that typically infects chimpanzees available in the fallmoderna and inovio are developing vaccines that ferry two different types of genetic material into cells to train the immune system to recognize the distinctive spike protein on the surface of the coronavirus a beijing company is trying an inactivated virus giant pharmaceutical companies flush with government funding are turning their vaccine platforms toward coronavirus researchers at texas am university are repurposing an existing tuberculosis vaccine to see if it can prevent deaths or severe illnessto make things more difficult as the infection spread across the world scientific teams have had to change how they work practicing social distancing in their labs so the virus doesnt take out the effort to combat it that happened at nih when one scientist became infected with covid19 and two close colleagues on the effort had to quarantine for 14 daysgrahams vaccine research center is working with only about 10 percent of its people coming in and his laboratory which usually houses 20 people can only have two at any one timemeanwhile the difficult laboratory science such as animal testing is in many ways being leapfrogged or running in tandem with testing in peoplethis is unusual kim said its really moving at lightning speed with the urgency to match itlearning as we go many researchers can describe how vaccines are typically developed but they cant say precisely how the coronavirus vaccines will come about so much will depend not just on the science but on how the outbreak evolves how flexible regulators decide to be and what we continue to learn about the virus in real timephilanthropist bill gates argues things cant really return to normal until the worlds 7 billion people are vaccinated a daunting scenario that could take years and create a new kind of public strife as governments and individual people scramble for limited doses more than one vaccine will likely be needed because the first one may not be as effective as the followonsthe frontrunner vaccines in the united states have never been made at an industrial scale and some vaccines require two doses to be given further complicating scaleupwe really have never made those kinds of vaccines in large large quantities how quickly can that be done said kathryn edwards a professor of pediatrics at vanderbilt university school of medicine were not going to be able to say in 18 months that we have enough for all the worlds people to be immunized with two dosestypically human clinical trials occur after extensive animal testing then a small number of human subjects receive the vaccine in a phase 1 trial intended to determine the safety and the right dosage people are monitored for any side effects as well as early hints that the vaccine works after carefully analyzing that data companies decide to proceed to a larger phase 2 trial in several hundred patients which look for signs the vaccine is working then they could proceed to a large phase 3 trial in which people are randomly assigned to receive either the vaccine or a dummy shot a definitive test of safety and effectiveness which often takes thousands of patients and several yearsoffit who is helping advise the us vaccine effort said the large trials being considered that he is aware of range from 1000 to 6000 people that would likely take place over months in contrast when he developed a vaccine against rotavirus the pivotal trial included 70000 healthy infants over four years the human papilloma virus vaccine was tested in 30000 peoplethose are typical trials offit said they tell you pretty comfortably that the vaccine is effective and to some extent that it doesnt have an uncommon side effectno one is talking about that for the coronavirusmoderna the company that manufactures the vaccine that haydon received plans to start its next larger trial in 500 to 600 people this spring according to stéphane bancel the chief executive officer he said the company began planning the trial nearly a month ago even though it was still giving shots to the first human subjectswe said we cannot wait bancel saidinstead of holding off until the subjects have signs in their blood that the vaccine works they are going to proceed to the next trial as soon as it shows safety bancel said moderna hopes to sign a contract soon with a government agency so that they can start manufacturing and stockpiling the vaccine before approval they could have 100 million doses ready to go on day one if it is approved in a yearregulators insist that even under unprecedented urgency products will be held to a high safety barmy motto is a woodworking one measure twice cut once the only change to that motto is measure quickly twice cut quickly once said peter marks the director of the center for biologics evaluation and research at the food and drug administrationbut vaccine experts point out that many rare safety problems can only be picked up in very large studies or even through monitoring after a vaccine has deployed they are most concerned about the risk that the vaccines could actually make the disease worse in some people as happened in some animal studies of vaccines for severe acute respiratory syndrome sars through a mechanism called antibody dependent enhancementin 1966 for instance an experimental vaccine for rsv a common respiratory virus in children backfired when some children developed more severe disease scientific debate is still raging about a dengue vaccine used in the philippines in recent years that increased the risk of hospitalization for dengue in children who had not previously been infectedthe publics health and the trust in vaccines generally considered one of the most successful public health interventions in human history will be guarded by regulators even as the political pressure intensifies to get a vaccine into broad usetheyre good at holding the line and arent going to do anything thats reckless because if they did it could jeopardize the whole us vaccine effort especially with the antivaccine lobby said peter jay hotez the dean of the national school of tropical medicine at baylor college of medicinehuman experiments\none way to speed up vaccine development is human challenge experiments in which people are intentionally infected with the virus after being vaccinated while the idea has gained steam among some scientists people working on vaccine trials said it is an ethically challenging approach they would be uncomfortable with unless an effective treatment is discoveredright now i think its a little premature however its not off the table said wilbur chen chief of the adult clinical studies section in the university of marylands center for vaccine development and global health i think it could be something that could be done it could help us to really evaluate the efficacy of a vaccine much more quicklyvolunteers for such a challenge effort have already flooded an online signup created by a grass roots group of researchers scientists are hopeful that enthusiasm will fill up all the trials necessary to prove the vaccines work that will mean people willing to be test subjects for unproven vaccines with thinnerthanusual animal evidence behind them it will mean people volunteering for trials in which half of them get a placebo it may mean people weighing a vaccine whose benefits and risks arent fully known against the risk of the virushaydon who is due for his second shot of the vaccine next week said he had never participated in a research study but was eager to assistim incredibly hopeful well arrive at a vaccine he said but in order to do that we need clinical trials and at some point for each new vaccine and each new drug that has to go into someone for the first time", + "https://www.washingtonpost.com/", + "TRUE", + 0.12090067340067338, + 2114 + ], + [ + "What’s so different about coronavirus that we have to shut down businesses? Why practice social distancing now, when we didn’t during the SARS and swine flu epidemics?", + "unlike sars and swine flu the novel coronavirus is both highly contagious and especially deadly cnn chief medical correspondent dr sanjay gupta said\nsars was also a coronavirus and it was a new virus at the time gupta said in the end we know that sars ended up infecting 8000 people around the world and causing around 800 deaths so very high fatality rate but it didnt turn out to be very contagiousthe swine flu or h1n1 was very contagious and infected some 60 million people in the united states alone within a year gupta said but it was far less lethal than the flu even like 13 as lethal as the fluwhat makes the novel coronavirus different is that this is both very contagious and it appears to be far more lethal than the flu as well gupta said so both those things in combination i think are why were taking this so seriously", + "https://www.cnn.com/", + "TRUE", + 0.06459740259740258, + 155 + ], + [ + "Should I go to the doctor or dentist for nonurgent appointments?", + "during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matteras an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice", + "https://www.health.harvard.edu/", + "TRUE", + 0.0910748106060606, + 220 + ], + [ + "Germany Approves Trials of COVID-19 Vaccine Candidate", + "germany gave the green light for human trials of potential coronavirus vaccines developed by german biotech company biontech which is racing teams in germany the us and china to develop an agent that will stop the pandemicthe trial only the fourth worldwide of a vaccine targeting the virus will be initially conducted on 200 healthy people with more subjects including some at higher risk from the disease to be included in a second stage german vaccines regulator the paul ehrlich institut said on wednesday\nbiontech said it was developing four vaccine candidates under a programme named bnt162 with its partner pharma giant pfizertests of the vaccine were also planned in the united states once regulatory approval for testing on humans had been secured therebiontech which awarded the rights in china to bnt162 to shanghai fosun pharmaceutical under a march collaboration deal is competing with germanys curevac and us biotech firm moderna in the race to develop messengerrna vaccinesthese molecules act as recipes that instruct human cells to produce antigen proteins which allow the immune system to develop an arsenal against future coronavirus infectionsmoderna started testing its experimental vaccine on humans in marchtwo different experimental coronavirus vaccines were approved for human tests by china last week a unit of sinovac biotech and the wuhan institute of biological products are developing these compoundsin march china gave the greenlight for another clinical trial for a vaccine candidate developed by the academy of military medical sciences and biotech firm cansino bio\n", + "https://www.nytimes.com/", + "TRUE", + 0.05000000000000001, + 247 + ], + [ + "Coronavirus death rate: What are the chances of dying?", + "the uk governments scientific advisers believe that the chances of dying from a coronavirus infection are between 05 and 1this is lower than the rate of death among confirmed cases which is 4 globally in who figures and 5 in the uk as of march 23 because not all infections are confirmed by testingeach country has its own way of deciding who gets tested so comparing case numbers or apparent death rates across countries can also be misleadingdeath rates also depend on a range of factors like your age and general health and the care you can accesswhat are the risks for people like me\nthe elderly and the unwell are more likely to die if they contract coronaviruscurrent estimates from imperial college london are that the death rate is almost 10 times higher than average for those over 80 and much lower for those under 40the uk governments chief medical advisor professor chris whitty says even though the rates are higher for older people the great majority of older people will have a mild or moderate diseasehe also warns that we should not think its a trivial infection for younger people pointing out that there are some young people who have ended up in intensive careits not just age that determines the risk of infectionsin the first big analysis of more than 44000 cases from china deaths were at least five times more common among confirmed cases with diabetes high blood pressure or heart or breathing problemsall of these factors interact with each other and we dont yet have a complete picture of the risk for every type of person in every locationand even though patterns in the death rates among confirmed cases can tell us who is most at risk they cant tell us about the precise risk in any single group\nthe death rate in confirmed cases is not the overall death ratemost cases of most viruses go uncounted because people tend not to visit the doctor with mild symptomson 17 march the chief scientific adviser for the uk sir patrick vallance estimated there were about 55000 cases in the uk when the confirmed case count was just under 2000dividing deaths by 2000 will give you a much higher death rate than dividing by 55000thats one of the biggest reasons why the death rates among confirmed cases are a bad estimate of the true death rates overestimating the severity by missing casesbut you can also get it wrong in the other direction underestimating the death rate by not taking into account those people currently infected who may eventually diewhy do death rates differ between countriesaccording to research by imperial college its because different countries are better or worse at spotting the milder harder to count casescountries use different tests for the virus have different testing capacity and different rules for who gets tested all of these factors change over time\nthe uk government plans to increase testing to 10000 a day initially with a goal of reaching 25000 a day within four weeks it currently restricts testing mainly to people in hospitalsgermany has a daily testing capacity of more than 20000 cases and has been testing people with mild symptomsso their counts of confirmed infections could capture different sections of the pyramid of cases shown abovethe death rate among confirmed cases in germany less than half a per cent is among the lowest in europe but is expected to rise as the mix of patients getting tested changesyour prognosis also depends on the treatment thats available and whether the health service can deliver itin turn that depends on the stage of the epidemicif a healthcare system gets swamped with cases and intensive care units cant treat people who need ventilation then the death rate would go uphow do scientists work out the true death ratescientists combine individual pieces of evidence about each of these questions to build a picture of the death ratefor example they estimate the proportion of cases with mild symptoms from small defined groups of people who are monitored very tightly like those on repatriated flightsbut slightly different answers from these targeted pieces of evidence will add up to big changes in the overall pictureand the evidence will change over timepaul hunter professor of medicine at the university of east anglia points out that death rates could go down as well as upwith ebola they came down over time as people got better at treating the disease but they can go up too if a healthcare system is overrun then we see death rates risingso scientists give a an upper and a lower figure as well as a best current estimate", + "https://www.bbc.com/", + "TRUE", + 0.13327552420145022, + 777 + ], + [ + "When going outside, be extra cautious", + "you can do your part to help your community and the world do not get close to other peoplethis is called social distancing or physical distancing and is basically a call to stand far away from other people even if you have no underlying health conditions or coronavirus symptoms experts believe the coronavirus travels through droplets so limiting your exposure to other people is a good way to protect yourselfavoid public transportation when possible limit nonessential travel work from home and skip social gatherings you can go outside as long as you avoid being in close contact with peoplehow to keep your distance a guide to help you make the right decisions", + "https://www.nytimes.com/", + "TRUE", + 0.05595238095238094, + 112 + ], + [ + "What's the difference between self-isolation and self-quarantine, and who should consider them?", + "selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negativeselfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.12037037037037036, + 291 + ], + [ + "Beware of Fraudulent Coronavirus Tests, Vaccines and Treatments", + "while many americans are sheltering at home to help flatten the curve and slow the spread of coronavirus disease also called covid19 they might be tempted to buy or use questionable products that claim to help diagnose treat cure and even prevent covid19because covid19 has never been seen in humans before there are currently no vaccines to prevent or drugs to treat covid19 approved by the us food and drug administration fda the fda is working with vaccine and drug manufacturers to develop new vaccines for and find drugs to treat covid19 as quickly as possible meanwhile some people and companies are trying to profit from this pandemic by selling unproven and illegally marketed products that make false claims such as being effective against the coronavirusthese fraudulent products that claim to cure treat or prevent covid19 havent been evaluated by the fda for safety and effectiveness and might be dangerous to you and your familythe fda is particularly concerned that these deceptive and misleading products might cause americans to delay or stop appropriate medical treatment leading to serious and lifethreatening harm its likely that the products do not do what they claim and the ingredients in them could cause adverse effects and could interact with and potentially interfere with essential medicationsthe fda has also seen unauthorized fraudulent test kits for covid19 being sold online currently the only way to be tested for covid19 is to talk to your health care provider the fda has not authorized any test that is available to purchase for testing yourself at home for covid19 you will risk unknowingly spreading covid19 or not getting treated appropriately if you use an unauthorized test the fda knows that having a home test for covid19 would be very helpful and is actively working with test developers on this but currently the fda has not authorized any home test for covid19there are no vaccines or medicines for covid19 yet the fda is working with medical product developers to rapidly advance the development and availability of vaccines and treatments for covid19 although there are investigational covid19 vaccines and treatments being studied in clinical trials these products are in the early stages of development they havent yet been fully tested for safety or effectiveness or received fda approvalfraudulent covid19 products can come in many varieties including dietary supplements and other foods as well as products claiming to be tests drugs medical devices or vaccines the fda has been working with retailers to remove dozens of misleading products from store shelves and online the agency will continue to monitor social media and online marketplaces promoting and selling fraudulent covid19 productsrecently the fda and the federal trade commission issued warning letters to seven companies for selling fraudulent covid19 products the products cited include teas essential oils tinctures and colloidal silver see product photosexternal link disclaimer on flickr the fda is actively monitoring for any firms marketing products with fraudulent covid19 diagnostic prevention and treatment claims the fda is exercising its authority to protect consumers from firms selling unauthorized products with false or misleading claims the fda may send warning letters or pursue seizures or injunctions against people products or companies that violate the law we are also increasing our enforcement at ports of entry to ensure that fraudulent products do not enter the country through our bordersin addition the fda is monitoring complaints of fake coronavirus treatments and tests consumers and health care professionals can help by reporting suspected fraud to the fdas health fraud program or the office of criminal investigations how to protect yourself and your family from coronavirus fraud the fda advises consumers to be cautious of websites and stores selling products that claim to prevent treat or cure covid19 there are no fdaapproved products to prevent covid19 products marketed for veterinary use or for research use only or otherwise not for human consumption have not been evaluated for safety and should never be used by humans for example the fda is aware of people trying to prevent covid19 by taking a product called chloroquine phosphate which is sold to treat parasites in aquarium fish products for veterinary use or for research use only may have adverse effects including serious illness and death when taken by people dont take any form of chloroquine unless it has been prescribed for you by your health care provider and obtained from legitimate sources here are some tips to identify false or misleading claims be suspicious of products that claim to treat a wide range of diseases personal testimonials are no substitute for scientific evidence\nfew diseases or conditions can be treated quickly so be suspicious of any therapy claimed as a quick fix if it seems too good to be true it probably is\nmiracle cures which claim scientific breakthroughs or contain secret ingredients are likely a hoax know that you cant test yourself for coronavirus disease\nif you have symptoms of covid19 follow the centers for disease control and preventions guidelines and speak to your medical provider your health care provider will advise you about whether you should get tested and the process for being tested in your area if you have a question about a treatment or test found online talk to your health care provider or doctor if you have a question about a medication call your pharmacist or the fda the fdas division of drug information ddi will answer almost any drug question ddi pharmacists are available by email druginfofdahhsgov and by phone 1855543drug 3784 and 3017963400 the sale of fraudulent covid19 products is a threat to the public health if you are concerned about the spread of covid19 talk to your health care provider and follow the advice of fdas federal partners about how to prevent the spread of this illness", + "https://www.fda.gov/", + "TRUE", + 0.003539944903581255, + 963 + ], + [ + "I'm older and have a chronic medical condition, which puts me at higher risk for getting seriously ill, or even dying from COVID-19. What can I do to reduce my risk of exposure to the virus?", + "anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetesthe cdc suggests the following measures for those who are at higher riskobtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and otherswhen you go out in public keep away from others who are sick limit close contact and wash your hands oftenavoid crowdsavoid cruise travel and nonessential air travelduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed", + "https://www.health.harvard.edu/", + "TRUE", + -0.009383753501400572, + 147 + ], + [ + "What are the symptoms of COVID-19?", + "current symptoms reported for patients with covid19 are very similar to influenza and have included mild to severe respiratory illness with fever cough and difficulty breathing read more about covid19 symptoms", + "https://www.chop.edu/", + "TRUE", + 0.20833333333333331, + 31 + ], + [ + "How long is it between when a person is exposed to the virus and when they start showing symptoms?", + "recently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposure", + "https://www.health.harvard.edu/", + "TRUE", + -0.05, + 66 + ], + [ + "THE NATURE OF VIRUSES IS TO MUTATE: MAPPING THE SPREAD OF A DEADLY DISEASE", + "using realtime data from scientists around the world nextstrainorg cocreated by biologist trevor bedford makes the dangerous spread of covid19 into a thing of multicolored branching beautythe map looks like an elaborate subway schematic of lines and circles except that the dozens of dots arent stations in an urban metro system colored violet orange sky blue and lime these circles are places you definitely dot want to be in to find yourself inside one of the multihued dots on this highly viral online map means you are at risk of exposure to covid19the novel coronavirusfew people are more aware of the literal micromovements of this tiny bug thats unnerving billions of people than the maps cocreator trevor bedford a 38yearold evolutionary biologist at the fred hutch a medical research center in seattle the city that also happens to be something of a ground zero in the us for covid19 with red wavy hair and a reassuring smile bedford is part holmesian sleuth dna detective and graphic artist in the mold of yale statistician and artist edward tufte whose visual depictions have made data not only accessible but often beautifulsince the outbreak began bedford trvrb on twitter has also become an unlikely social media star its been very very surreal he said i now have 70000 twitter followers who are all very interested in genomic epidemiology at last glance bedford had over 106000 followersall of this attention is being directed at a previously obscure website that bedford cocreated in 2015 now called nextstrain nextstrainorgwhich last week recorded over 400000 hits nextstrain tracks the genetic mutation patterns of covid19changes in the viruss genetic code that appear in newly infected people in different cities and countriesas it spreads around the worldthe nature of viruses is to mutate said bedford explaining that as these microorganisms rapidly reproduce genetic errors can occur but these arent the scary mutations that wipe out billions of people like in hollywood films the vast majority of these mutations are absolutely meaningless said emma hodcroft an epidemiologist who collaborates with nextstrain and is based at the university of basel in switzerland but they are useful to help us see how the virus travels and changesanother collaborator and the cofounder of nextstrain is richard neher an evolutionary biologist at the university of basel he explained via screenshare from switzerland that each of the colorful lines on the websites subwaylike map corresponds to a colorcoded location on a world map also viewable on the website for instance outbreaks in the us come out in splashes of reds western europe in light greens and china where the virus was first detected in purplesthe lines scroll from left to right starting with the first patients in wuhan who were pinpointed in december they then track right as scientists from across the globe report new viral sequences in much closer to real time than ever before tiny circles on each multicolored line refer to the date and place that a new mutation has been discovered you run your cursor over the dot said neher and a box pops up with information about the virus and if a new mutation has occurred as it moved from one country to anotherthis data can be valuable to scientists and public health officials trying to figure out when and where the virus arrived and how it is spreading geographically and by age gender and other factors so that it might be better followed and hopefully containedhaving a powerful visual tool like that is very useful said duncan maccannell chief science officer at the centers for disease control and preventions office of advanced molecular detection the power of a platform like nextstrain is that it rapidly takes very complex molecular and epidemiological data and puts it into a format thats accessible explorable and sharablebecause we have an estimate of how fast this virus mutates over time we can turn that into an estimate of a clock said bedford pointing out an information box that popped up off of an orange dot synced to seattle and so then we get an introduction to washington state around midjanuary and we can track the spread within washington since thennextstrain also indicates that the coronavirus once it took hold in wuhan and other locales spread quickly as it proliferated around the world and infected more people so far theres no evidence to assume that youll see a different pattern from wuhan said neher about locales outside of china helping countries politicians and medical professionals make more concerted efforts in farflung areas of the world this is going to grow exponentially wherever it appears neher added and it will hit you hard italy got hit hard korea got hit hardthe data for nextstrain is provided by hundreds of scientists the world over working to sequence samples of the virus as it expands into new locales we can post new data in as fast as five minutes between a genome being released and nextstrain being updated said james hadfield a geneticist in bedfords lab id say the vast majority is being done within an hourthe sequences that feed into this system however can take between one and five days to complete depending on the logistics on the groundfaster than before said the cdcs maccannell but it needs to be even fasterrichard neher also cautions that the number of samples that have been genetically sequenced and included on the nextstrain site remains smallit currently stands at 326 samples this means we are missing information he said the data is also not collected evenly everywhere since some countries have more of an ability to sequence and some arent focusing on sequencing while they are trying to treat the infected this means that nextstrain does not offer up a complete picture of how the virus is evolving although it can offer up cluesnextstrain is part of a growing trend over the past few years to develop robust maps and graphics in order to track outbreaks ranging from mumps and measles to ebola other sites that use vivid functional graphics to track outbreaks include gisaid a german nonprofit website that first receives and processes the data that ends up nextstrain johns hopkins university has a site that updates the total coronavirus cases reported which as of this writing stands at 121564 plus total global fatalities 4373 and the total number of people who have recovered after being infected by the virus 66239 another site is offered up by the centers for disease control and preventionso why does trevor bedford bother with the pretty part the idea of a phylogenetic tree is common in this field he said using the scientific name for the virus map but weve tried to also make something that is beautiful and interactive and is accessible and easy to read for nonexperts including the publicbedford first got interested in the design aspect when he was creating graphics for scientific papers he was working on during a postdoctoral stint at the university of michigan around 201011 i read edward tuftes books he said and it was just revelatory the team was also inspired by colorful and interactive graphics in online versions of newspapers like the new york times which also has made relevant code opensource and readily available a practice the nextstrain team has continuednextstrain is also an experiment in realtime science rather than reporting out mutation patterns in studies that take weeks or months to write and publish bedford and his team are sharing data as it arrives this is science as it happens he said adding that sometimes there are mistakes on friday i said something i shouldnt have about a link between bavaria and italy that i worded too strongly when i had the first twitter thread up but i was corrected by other scientists and we changed thingsso where is the virus headed we are seeing exponential growth said bedford talking about the spread of cases where people have been infected with a doubling every seven days so were going from 500 to a thousand to 2000 et cetera but the thing that makes it hard to predict and why im only comfortable with forecasting a week or two out is that im expecting large social changes to just be happening meaning that efforts to quarantine work from home and limit travel can lessen the pace of exposurewe know that what china did had a huge impact he added referring to the extreme measures to essentially quarantine millions of people how strong of an impact comes out of what we will do in north america in terms of mitigation efforts is hard to predict if peoplemeaning the government and medical community as well as individualsdid nothing the natural progression is that half of people will get infected over the course of the coming months just like you have a flu season every winterthe tracking effort of cases however is being hobbled by the underreporting of people who are infected in some areas right now the us has the highest casetofatality ratio in the world said emma hodcroft that is not because its somehow worse in the us its just because we have done a bad job at testing enough cases up until this point as of monday the us had tested only a few thousand people this compares to 189000 people tested in south koreait affects the fatality rate hodcroft said which makes the disease potentially less virulent than it seems because if there are a lot of cases that youre not detecting then the percentage of fatalities should be much smaller fewer cases tested also impacts the number of cases that could be potentially sequenced\nbedford expects his fancy phylogenetic map to grow considerably over the next few months we dont know how long this outbreak will last he said which makes one wonder how many more colors will be needed to fill out this vivid if alarming map tracking covid19", + "https://www.vanityfair.com/", + "TRUE", + 0.084258196583778, + 1659 + ], + [ + "Italy’s coronavirus outbreak ‘could have happened anywhere’", + "european health officials sought to tamp down the blame game in italyeuropean health authorities are playing down the idea that italy did anything wrong amid domestic fingerpointing about the countrys coronavirus outbreakitaly has the continents worst cluster of covid19 cases as of midday wednesday 374 people have been diagnosed with the death toll up to 12 the government has banned the export of personal protective equipment without prior authorization from the civil protection departmentit could have happened anywhere said andrea ammon chief of the european centre for disease control and prevention whose experts are on the ground in italy studying the outbreakour assessment is that we will likely see similar situations in other countries in europe she said during a press conference wednesday with top officials from the european commission and world health organizationas commerce in italys northern regions shuts down politicians have been sniping at one another over the response prime minister giuseppe conte for example accused a hospital in lombardy of dropping the ball on protocol and suggested earlier this week that the authority of italian regions to run their own health systems should be revokedwe should not indulge in any blame game here said italian health minister roberto speranza at the wednesday press conference he stressed the need for regions to coordinatethat coordination also needs to happen among eu member countries said european health commissioner stella kyriakides she called the coronavirus outbreak a test case for emergency response globally and for our cooperation within the euitalian officers patrol a checkpoint at an entrance to the small town of zorlesco italys coronavirus outbreak could have happened anywhere european health officials sought to tamp down the blame game in italyeuropean health authorities are playing down the idea that italy did anything wrong amid domestic fingerpointing about the countrys coronavirus outbreak\nitaly has the continents worst cluster of covid19 cases as of midday wednesday 374 people have been diagnosed with the death toll up to 12 the government has banned the export of personal protective equipment without prior authorization from the civil protection departmentit could have happened anywhere said andrea ammon chief of the european centre for disease control and prevention whose experts are on the ground in italy studying the outbreakour assessment is that we will likely see similar situations in other countries in europe she said during a press conference wednesday with top officials from the european commission and world health organizationas commerce in italys northern regions shuts down politicians have been sniping at one another over the response prime minister giuseppe conte for example accused a hospital in lombardy of dropping the ball on protocol and suggested earlier this week that the authority of italian regions to run their own health systems should be revokedonly about five percent of coronavirus cases require serious treatment like ventilation to support breathing and only 1 or 2 percent of those infected die of the diseasewe should not indulge in any blame game here said italian health minister roberto speranza at the wednesday press conference he stressed the need for regions to coordinatethat coordination also needs to happen among eu member countries said european health commissioner stella kyriakides she called the coronavirus outbreak a test case for emergency response globally and for our cooperation within the eualso on politico politics goes viral as italy struggles with outbreak silvia sciorilli borrelli also on politico parliament delays italian trainees for 7 months over coronavirus fears giorgio leali on tuesday national health ministers from countries around italy coalesced around the need for a common response to the outbreak according to a set of conclusions viewed by politico they agreed that closing borders would be a disproportionate and ineffective measure at this timethey also agreed in general not to cancel a priori major events but rather on a casebycase basis furthermore the ministers called for standardized information to be provided to professionals and the public including possible common information at the bordersas a followup to the tuesday meeting kyriakides said on wednesday that the commission will draw up model information for travelers coming back from risk areas or traveling to themmeanwhile france confirmed on wednesday the first death of a french national greece confirmed its first infection case a 38yearold greek woman returning from northern italy the number of confirmed cases also went up by a few in spain germany and francehowever at the rome press conference the head of the whos european region hans kluge said theres no need for panickluge noted that four out of five cases result in mild symptoms at most only about five percent of cases require serious treatment like ventilation to support breathing and only 1 or 2 percent of those infected die of the disease mostly people over 65 with weakened immune systems", + "https://www.politico.eu/", + "TRUE", + -0.029918981481481494, + 795 + ], + [ + "Can you get coronavirus from touching money — either cash or coins?", + "viruses can live on surfaces and objects including on money although your chance of actually getting covid19 from cash is probably very low emergency room physician dr leana wen saidthe new coronavirus can live for up to 72 hours on stainless steel and plastic up to 24 hours after landing on cardboard and up to four hours after landing on copper according to a study funded by the us national institutes of healthso how do you protect yourself use contactless methods of payment whenever possible wen saidif you cant use a contactless form of payment credit cards and debit cards are much easier to clean and disinfect than cash but remember that anyone who touches your credit card can also leave germs on itif you must use cash wash your hands well with soap and water afterward wen said and since this is a respiratory virus make sure you avoid touching your face", + "https://www.cnn.com/", + "TRUE", + 0.1977961432506887, + 153 + ], + [ + "What is cryptic transmission, and what is its significance in the COVID-19 outbreak?", + "cryptic transmission is the term that is used when there is no direct contact between person 1 shedding the virus and person 2 contracting itit is an important indicator of community prevalence of a virus there is essentially enough circulating virus in a community to transmit the same strain of the virus between individuals who are not directly linkedin the case of the covid19 outbreak this term came into the lexicon after university of washington researchers sequenced the covid19 genome from snohomish county washington which showed a direct genetic link from the first 2 cases in washington though they had no known contact this indicated there was significant community spread and likely evidence the virus had been circulating for weeks by that point as i noted on twitter the key takeaway is this is going to be a critical path for viral transmission given the potential infectivity prior to the manifestation of symptomsand what will ultimately make it so hard to control the spread of the virus", + "https://www.globalhealthnow.org/", + "TRUE", + 0.04888888888888888, + 167 + ], + [ + "Are hand dryers effective in killing the new coronavirus?", + "no hand dryers are not effective in killing the 2019ncov to protect yourself against the new coronavirus you should frequently clean your hands with an alcoholbased hand rub or wash them with soap and water once your hands are cleaned you should dry them thoroughly by using paper towels or a warm air dryer", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.14727272727272728, + 54 + ], + [ + "How Contact Tracers Could Help Control COVID-19", + "one august day in 2017 a 31yearold man with a cough boarded a crowded minibus in madagascars capital antananarivothe man was dead before he could reach his destinationthat touched off the most lethal outbreak of pneumonic plague in decades by the end of november more than 2400 people had been infected and 209 had diedbasketball teams from around the indian ocean region were in madagascar at the time for a championship tournament a coach from the seychelles died and a south african player fell ill the risk of an international outbreak loomedto stamp it out health officials needed to break the chains of transmission find the people who had come into contact with each infected individual and prevent them from spreading the disease to anyone elseits known as contact tracing its the same task that experts now say the united states must dramatically increase as covid19 lockdowns loosen covid19 is the disease caused by the coronaviruscovid19 infections will inevitably increase in the coming weeks they say and a work force must be standing by to stop new patients from rekindling a widespread outbreak tiny madagascars experience could provide the us and other countries with valuable lessons and insightseyes and ears while health officials say the united states will need to hire at least 100000 contact tracers madagascar tapped into a network of community health volunteers who were ready to step in when the outbreak hitthose volunteers go door to door in communities across the country as health educators they make sure pregnant women get prenatal care and children are vaccinated they treat common ailments such as malaria diarrhea and pneumoniatheyre the eyes and ears of the health system said john yanulis who directed the program for the nonprofit management sciences for health they are trusted members of their communityso when the volunteers were called upon to become pneumonic plague contact tracers the community already knew them and listened to them people were willing to share information about who was at riskpneumonic plague is 100 fatal within days if left untreated the community health volunteers delivered antibiotics that would prevent infectionoccasionally though people would not take themfear i think was one of the biggest factors yanulis said people did not know how to deal with that news that they might have been exposed to a lethal diseasehealth volunteers would go up the chain to deal with refusals he added theyd call in the head of the local health center the village watch committee and even the mayor to basically talk it through and ultimately convince the person that its not just for your good its also for the good of the community\nthen the volunteer would go back every day during the oneweek course of antibiotics to make sure the person took themthe contact tracers were part of a coordinated effort from local state and national officials plus international partners including the world health organization\nin 2½ months we had a real public health success yanulis said new cases dropped sharply in october on december 4 the who declared the outbreak containedthe same volunteers are at the ready to deal with covid19 he added in some cases they are already being oriented and trainedwhile they are unpaid in madagascar community health workers are on government payrolls in kenya ethiopia malawi and other countries in africa and elsewhere yanulis saidpeople skills in the united states states cities and counties are preparing to hire thousands of people to do the same kind of labor intensive hightouch work that helped madagascar contain its outbreakthey dont need much education yanulis said its really about being someone who is comfortable going into the communitybefore covid19 much of the contact tracing us health departments did was for sexually transmitted infections which carry more of a stigma than the coronavirus infectionthe process is basically the same said tim heymans a disease intervention specialist with the minnesota department of health when he calls a contact the first question he asks is whether the person can speak privately when you show them that youre trying to protect their privacy i think that builds trust\nwhen he delivers the news they may be shocked at first or are upset or defensive some get angry and dont cooperate but he said most of the time within moments theyre giving signs that theyre glad that we called and are happy for the advice were giving them on where they can go to get help with this\nfor the most difficult cases heymans said we try to appeal to the persons sense of the greater good and protecting people around themcomplicated and messycovid19 contacts need to isolate themselves for 14 days which can be a lot to aska person might be taking care of elderly relatives and young children staying at home risks spreading the infection to vulnerable family members said adriane casalotti governmental and public affairs chief at the national association of county and city health officialsbut if they leave she asked whos going to help pick up the slackhealth departments may need to support people in quarantine with housing food medicine and even financial helppeoples lives are complicated and messy she said so the public health response ends up being complicated and messyjob opportunitieswith states looking to hire thousands of contact tracers quickly johns hopkins university has developed a fivehour online training course covering the basics of the disease contact tracing and how it works and some of the privacy and ethical issues involvedit also covers how to build rapport because ultimately this is a program about connecting with people and helping support them to stop the spread said course instructor emily gurley at johns hopkinsentrylevel contact tracing jobs pay in the mid30000 range according to nacchos casalotti the organization said congress needs to provide 76 billion for health departments to hire at least 100000 of them plus another 10000 supervisors and 1600 epidemiologistswith tens of millions of people out of work theres no shortage of applicants massachusetts had 40000 applicants for 1000 positions according to usa today\nbeing out of work is just part of the surge of interest casalotti said i think a lot of people are stuck at home and theyre watching this all happen outside their windows and they want to helpwhen the covid19 pandemic hit casalotti noted health departments had not recovered from steep budget and staffing cuts made in the wake of the 2008 financial crisisgiven the economic devastation the pandemic is causing to state and local budgets she is worried that history will repeat itselfwere actually really concerned if this is anything like the 2008 recession that local departments on the front lines of this response will end up being in worse financial shape after coronavirus than they were before she said", + "https://www.voanews.com/", + "TRUE", + 0.0887897967011891, + 1127 + ], + [ + "covid-19 and hypertension", + "are people with high blood pressure hypertension at higher risk from covid19at this time we do not think that people with high blood pressure and no other underlying health conditions are more likely than others to get severely ill from covid19 although many people who have gotten severely ill from covid19 have high blood pressure they are often older or have other medical conditions like obesity diabetes and serious heart conditions that place them at higher risk of severe illness from covid19if you have high blood pressure its critically important that you keep your blood pressure under control to lower your risk for heart disease and strokes take your blood pressure medications as directed keep a log of your blood pressure every day if you are able to take your blood pressure at home and work with your healthcare team to make sure your blood pressure is well controlled any changes to your medications should be made in consultation with your healthcare team\nshould i continue to take my blood pressure medicationyes continue to take your blood pressure medications exactly as prescribed and make lifestyle modifications agreed upon in your treatment plan continue all your regular medications including angiotensinconverting enzyme inhibitors aceis or angiotensin receptor blockers arbs as prescribed by your healthcare team this is recommended by current clinical guidelines from the american heart association the heart failure society of america and the american college of cardiology", + "https://www.cdc.gov/", + "TRUE", + 0.08976666666666666, + 237 + ], + [ + "Developing an effective coronavirus treatment could be the key to fighting the disease, experts say", + "some reports predict that close to half the global population will eventually contract the coronavirus while aggressive testing to contain the spread of the disease remains a top priority scientists and researchers believe that an effective treatment can serve as a bridge while experts develop a vaccinefor now regulators are heavily leaning toward repurposing existing medications which will both save time and guarantee a steady supply the food and drug administration is looking into drugs that are normally used to treat other conditions such as hiv malaria ebola and rheumatoid arthritis as possible candidates to treat covid19its a process that will prove to be a very very difficult business according to rena conti an associate markets professor at boston university four out of five drugs fail in developing and thats true for cancer and for other types of significant unmet needs that we have now and that exact same failure rate should be expected in developing a treatment for covid19other therapeutic treatments such as convalescent plasma therapy which uses blood from recovered patients to treat those in critical condition have recently come into the spotlight after the fda approved its use on march 24 its a treatment thats been around for over 100 years most notably to combat other diseases such as the spanish flu pandemic of 1918 however the challenge lies in proving its efficacy and securing enough plasma to treat those who are in need scientists remain hopeful given the number of treatments and drugs that are under consideration as of april 19 the fda revealed that 72 treatments are in active trials and 211 treatments are in the planning stages i think it is likely that we will be able to identify a therapy that has some success within a period of several months to maybe a year said andrew d badley an infectious disease specialist at the mayo clinic", + "https://www.cnbc.com/", + "TRUE", + 0.05303030303030303, + 313 + ], + [ + "Statement about nCoV and our pandemic exercise", + "in october 2019 the johns hopkins center for health security hosted a pandemic tabletop exercise called event 201 with partners the world economic forum and the bill melinda gates foundation recently the center for health security has received questions about whether that pandemic exercise predicted the current novel coronavirus outbreak in china to be clear the center for health security and partners did not make a prediction during our tabletop exercise for the scenario we modeled a fictional coronavirus pandemic but we explicitly stated that it was not a prediction instead the exercise served to highlight preparedness and response challenges that would likely arise in a very severe pandemic we are not now predicting that the ncov2019 outbreak will kill 65 million people although our tabletop exercise included a mock novel coronavirus the inputs we used for modeling the potential impact of that fictional virus are not similar to ncov2019", + "https://www.centerforhealthsecurity.org/", + "TRUE", + 0.015384615384615385, + 150 + ], + [ + "When is a person infectious?", + "the infectious period may begin one to two days before symptoms appear but people are likely most infectious during the symptomatic period even if symptoms are mild and very nonspecific the infectious period is now estimated to last for 712 days in moderate cases and up to two weeks on average in severe cases", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.12619047619047616, + 54 + ], + [ + "Bill Gates: Here's what you need to know about the COVID-19 vaccine ", + "as we continue to socially distance in a bid to reduce the effect of covid19 its important to understand where we are in terms of a vaccinepredictions show it could take anywhere from 9 months to 2 years to create a vaccinefrom there its just the small matter of producing upwards of 7 billion doses for the global populationhere bill gates looks at whats already being done to create a vaccine against coronavirusone of the questions i get asked the most these days is when the world will be able to go back to the way things were in december before the coronavirus pandemic my answer is always the same when we have an almost perfect drug to treat covid19 or when almost every person on the planet has been vaccinated against coronavirusthe former is unlikely to happen anytime soon wed need a miracle treatment that was at least 95 percent effective to stop the outbreak most of the drug candidates right now are nowhere near that powerful they could save a lot of lives but they arent enough to get us back to normalwhich leaves us with a vaccinehave you reada leading covid19 vaccine scientist answers our questions who launches global initiative to create equitable access to covid19 drugs and vaccines humankind has never had a more urgent task than creating broad immunity for coronavirus realistically if were going to return to normal we need to develop a safe effective vaccine we need to make billions of doses we need to get them out to every part of the world and we need all of this to happen as quickly as possiblethat sounds daunting because it is our foundation is the biggest funder of vaccines in the world and this effort dwarfs anything weve ever worked on before its going to require a global cooperative effort like the world has never seen but i know itll get done theres simply no alternative\nheres what you need to know about the race to create a covid19 vaccinethe world is creating this vaccine on a historically fast timelinedr anthony fauci has said he thinks itll take around eighteen months to develop a coronavirus vaccine i agree with him though it could be as little as 9 months or as long as two yearsalthough eighteen months might sound like a long time this would be the fastest scientists have created a new vaccine development usually takes around five years once you pick a disease to target you have to create the vaccine and test it on animals then you begin testing for safety and efficacy in humanssafety and efficacy are the two most important goals for every vaccine safety is exactly what it sounds like is the vaccine safe to give to people some minor side effects like a mild fever or injection site pain can be acceptable but you dont want to inoculate people with something that makes them sickefficacy measures how well the vaccine protects you from getting sick although youd ideally want a vaccine to have 100 percent efficacy many dont for example this years flu vaccine is around 45 percent effectiveto test for safety and efficacy every vaccine goes through three phases of trialsphase one is the safety trial a small group of healthy volunteers gets the vaccine candidate you try out different dosages to create the strongest immune response at the lowest effective dose without serious side effectsonce youve settled on a formula you move onto phase two which tells you how well the vaccine works in the people who are intended to get it this time hundreds of people get the vaccine this cohort should include people of different ages and health statuses\nthen in phase three you give it to thousands of people this is usually the longest phase because it occurs in whats called natural disease conditions you introduce it to a large group of people who are likely already at the risk of infection by the target pathogen and then wait and see if the vaccine reduces how many people get sickafter the vaccine passes all three trial phases you start building the factories to manufacture it and it gets submitted to the who and various government agencies for approvalthis process works well for most vaccines but the normal development timeline isnt good enough right now every day we can cut from this process will make a huge difference to the world in terms of saving lives and reducing trillions of dollars in economic damageso to speed up the process vaccine developers are compressing the timeline this graphic shows howin the traditional process the steps are sequential to address key questions and unknowns this can help mitigate financial risk since creating a new vaccine is expensive many candidates fail which is why companies wait to invest in the next step until they know the previous step was successfulfor covid19 financing development is not an issue governments and other organizations including our foundation and an amazing alliance called the coalition for epidemic preparedness innovations have made it clear they will support whatever it takes to find a vaccine so scientists are able to save time by doing several of the development steps at once for example the private sector governments and our foundation are going to start identifying facilities to manufacture different potential vaccines if some of those facilities end up going unused thats okay its a small price to pay for getting ahead on production\nfortunately compressing the trial timeline isnt the only way to take a process that usually takes five years and get it done in 18 months another way were going to do that is by testing lots of different approaches at the same timethere are dozens of candidates in the pipelineas of april 9 there are 115 different covid19 vaccine candidates in the development pipeline i think that eight to ten of those look particularly promising our foundation is going to keep an eye on all the others to see if we missed any that have some positive characteristics thoughthe most promising candidates take a variety of approaches to protecting the body against covid19 to understand what exactly that means its helpful to remember how the human immune system workswhen a disease pathogen gets into your system your immune system responds by producing antibodies these antibodies attach themselves to substances called antigens on the surface of the microbe which sends a signal to your body to attack your immune system keeps a record of every microbe it has ever defeated so that it can quickly recognize and destroy invaders before they make you illvaccines circumvent this whole process by teaching your body how to defeat a pathogen without ever getting sick the two most common typesand the ones youre probably most familiar withare inactivated and live vaccines inactivated vaccines contain pathogens that have been killed live vaccines on the other hand are made of living pathogens that have been weakened or attenuated theyre highly effective but more prone to side effects than their inactivated counterpartsinactivated and live vaccines are what we consider traditional approaches there are a number of covid19 vaccine candidates of both types and for good reason theyre wellestablished we know how to test and manufacture themthe downside is that theyre timeconsuming to make theres a ton of material in each dose of a vaccine most of that material is biological which means you have to grow it that takes time unfortunatelythats why im particularly excited by two new approaches that some of the candidates are taking rna and dna vaccines if one of these new approaches pans out well likely be able to get vaccines out to the whole world much faster for the sake of simplicity im only going to explain rna vaccines dna vaccines are similar just with a different type of genetic material and method of administrationour foundationboth through our own funding and through cepihas been supporting the development of an rna vaccine platform for nearly a decade we were planning to use it to make vaccines for diseases that affect the poor like malaria but now its looking like one of the most promising options for covid the first candidate to start human trials was an rna vaccine created by a company called modernaheres how an rna vaccine works rather than injecting a pathogens antigen into your body you instead give the body the genetic code needed to produce that antigen itself when the antigens appear on the outside of your cells your immune system attacks themand learns how to defeat future intruders in the process you essentially turn your body into its own vaccine manufacturing unitbecause rna vaccines let your body do most of the work they dont require much material that makes them much faster to manufacture theres a catch though we dont know for sure yet if rna is a viable platform for vaccines since covid would be the first rna vaccine out of the gate we have to prove both that the platform itself works and that it creates immunity its a bit like building your computer system and your first piece of software at the same timeeven if an rna vaccine continues to show promise we still must continue pursuing the other options we dont know yet what the covid19 vaccine will look like until we do we have to go full steam ahead on as many approaches as possibleit might not be a perfect vaccine yetand thats okaythe smallpox vaccine is the only vaccine thats wiped an entire disease off the face of the earth but its also pretty brutal to receive it left a scar on the arm of anyone who got it one out of every three people had side effects bad enough to keep them home from school or work a smallbut not insignificantnumber developed more serious reactionsthe smallpox vaccine was far from perfect but it got the job done the covid19 vaccine might be similarif we were designing the perfect vaccine wed want it to be completely safe and 100 percent effective it should be a single dose that gives you lifelong protection and it should be easy to store and transport i hope the covid19 vaccine has all of those qualities but given the timeline were on it may notthe two priorities as i mentioned earlier are safety and efficacy since we might not have time to do multiyear studies we will have to conduct robust phase 1 safety trials and make sure we have good realworld evidence that the vaccine is completely safe to usewe have a bit more wiggle room with efficacy i suspect a vaccine that is at least 70 percent effective will be enough to stop the outbreak a 60 percent effective vaccine is useable but we might still see some localized outbreaks anything under 60 percent is unlikely to create enough herd immunity to stop the virusthe big challenge will be making sure the vaccine works well in older people the older you are the less effective vaccines are your immune systemlike the rest of your bodyages and is slower to recognize and attack invaders thats a big issue for a covid19 vaccine since older people are the most vulnerable we need to make sure theyre protectedthe shingles vaccinewhich is also targeted to older peoplecombats this by amping up the strength of the vaccine its possible we do something similar for covid although it might come with more side effects health authorities could also ask people over a certain age to get an additional dosebeyond safety and efficacy there are a couple other factors to considerhow many doses will it be a vaccine you only get once is easier and quicker to deliver but we may need a multidose vaccine to get enough efficacyhow long does it last ideally the vaccine will give you longlasting protection but we might end up with one that only stops you from getting sick for a couple months like the seasonal flu vaccine which protects you for about six months if that happens the shortterm vaccine might be used while we work on a more durable one how do you store it many common vaccines are kept at 4 degrees c thats around the temperature of your average refrigerator so storage and transportation is easy but rna vaccines need to be stored at much colder temperatureas low as 80 degrees cwhich will make reaching certain parts of the world more difficultmy hope is that the vaccine we have 18 months from now is as close to perfect as possible even if it isnt we will continue working to improve it after that happens i suspect the covid19 vaccine will become part of the routine newborn immunization scheduleonce we have a vaccine though we still have huge problems to solve thats because we need to manufacture and distribute at least 7 billion doses of the vaccinein order to stop the pandemic we need to make the vaccine available to almost every person on the planet weve never delivered something to every corner of the world before and as i mentioned earlier vaccines are particularly difficult to make and storetheres a lot we cant figure out about manufacturing and distributing the vaccine until we know what exactly were working with for example will we be able to use existing vaccine factories to make the covid19 vaccinewhat we can do now is build different kinds of vaccine factories to prepare each vaccine type requires a different kind of factory we need to be ready with facilities that can make each type so that we can start manufacturing the final vaccine or vaccines as soon as we can this will cost billions of dollars governments need to quickly find a mechanism for making the funding for this available our foundation is currently working with cepi the who and governments to figure out the financingpart of those discussions center on who will get the vaccine when the reality is that not everyone will be able to get the vaccine at the same time itll take monthsor even yearsto create 7 billion doses or possibly 14 billion if its a multidose vaccine and we should start distributing them as soon as the first batch is ready to gomost people agree that health workers should get the vaccine first but who gets it next older people teachers workers in essential jobsi think that lowincome countries should be some of the first to receive it because people will be at a much higher risk of dying in those places covid19 will spread much quicker in poor countries because measures like physical distancing are harder to enact more people have poor underlying health that makes them more vulnerable to complications and weak health systems will make it harder for them to receive the care they need getting the vaccine out in lowincome countries could save millions of lives the good news is we already have an organization with expertise about how to do this in gavi the vaccine alliancewith most vaccines manufacturers sign a deal with the country where their factories are located so that country gets first crack at the vaccines its unclear if thats what will happen here i hope we find a way to get it out on an equitable basis to the whole world the who and national health authorities will need to develop a distribution plan once we have a better understanding of what were working witheventually though were going to scale this thing up so that the vaccine is available to everyone and then well be able to get back to normaland to hopefully make decisions that prevent us from being in this situation ever againit might be a bit hard to see right now but there is a light at the end of the tunnel were doing the right things to get a vaccine as quickly as possible in the meantime i urge you to continue following the guidelines set by your local authorities our ability to get through this outbreak will depend on everyone doing their part to keep each other safe", + "https://www.weforum.org/", + "TRUE", + 0.16100844644077736, + 2691 + ], + [ + "Can coronavirus stick to clothes? Do I need to wash my clothes right after encountering other people, like at the grocery store or while jogging?", + "i dont think you need to cnn chief medical correspondent dr sanjay gupta said\n\ncoronavirus can stay alive for up to three days on stainless steel and plastic but clothing is probably more like cardboard its more absorbent so the virus is unlikely to stay and last that long gupta said\n\nwhile covonravirus can stay alive on cardboard for up to 24 hours viruses generally dont stick well on surfaces that are in motion\nif you look at how viruses move through air they kind of want to move around objects gupta said they dont want to necessarily land on objects so if youre moving as human body through the air its unlikely to stick to your clothes", + "https://www.cnn.com/", + "TRUE", + 0.07142857142857142, + 118 + ], + [ + "Special Report: Countries, companies risk billions in race for coronavirus vaccine", + "in the race to develop a vaccine to end the covid19 pandemic governments charities and big pharma firms are sinking billions of dollars into bets with extraordinarily low odds of successtheyre fasttracking the testing and regulatory review of vaccines with no guarantee they will prove effective theyre building and retooling plants for vaccines with slim chances of being approved theyre placing orders for vaccines that in the end are unlikely to be produced\nits the new pandemic paradigm focused on speed and fraught with risksthe crisis in the world is so big that each of us will have to take maximum risk now to put this disease to a stop said paul stoffels chief scientific officer at johnson johnson jnjn which has partnered with the us government on a 1 billion investment to speed development and production of its stillunproven vaccine if it fails stoffels told reuters it will be badhistorically just 6 of vaccine candidates end up making it to market often after a yearslong process that doesnt draw big investments until testing shows a product is likely to work but the traditional rules of drug and vaccine development are being tossed aside in the face of a virus that has infected 27 million people killed more than 192000 and devastated the global economy with covid19 the goal is to have a vaccine identified tested and available on a scale of hundreds of millions of doses in just 12 to 18 monthsdrug companies and the governments and investors that finance them are boosting their atrisk spending in unprecedented ways the overriding consensus among more than 30 drug company executives government health officials and pandemicresponse experts interviewed by reuters is that the risks are necessary to ensure not only that a vaccine for the new coronavirus is developed quickly but that it is ready to distribute as soon as its approvedinvestments from governments global health groups and philanthropies have been aimed primarily at the most promising of the more than 100 vaccine candidates in development worldwide but only a handful of those have advanced to human trials the real indicator of safety and efficacy and the stage where most vaccines wash outeven among the more encouraging prospects very few are likely to succeed its possible more than one will work its possible none will for companies in the race there are some likely benefits its a proving ground for vaccine technologies and a chance to burnish reputations and boost shares while some large companies including johnson johnson and glaxosmithkline plc gskl have said they plan to make the vaccine available at cost at least at first they may reap profits down the road if seasonal vaccination is needed and countries invest in stockpilesbut finding a vaccine that works does little good without the ability to produce and distribute it that means building manufacturing plants nowwe want to make investments up front at risk even before we know the vaccines work to be able to immediately manufacture them at a scale of tens or hundreds of millions of doses said richard hatchett a physician who managed us pandemic flu policy under former president george w bush and returned to advise the obama white house during the 2009 swine flu pandemichatchett now heads the coalition for epidemic preparedness innovations cepi a vaccinedevelopment consortium supported by private donors as well as the united kingdom canada belgium norway switzerland germany and the netherlands the organization has raised more than 915 million of the 2 billion it anticipates spending to accelerate testing and build specialized production plants for at least three coronavirus vaccine candidatesin the united states the biomedical advanced research and development authority barda a federal agency that funds diseasefighting technology has announced investments of nearly 1 billion to support coronavirus vaccine development and the scaleup of manufacturing for promising candidates\none underlying fear shared by everyone reuters interviewed is that even if a vaccine does prove effective there wont be enough to go aroundhaving reserves ready worldwide to immediately inoculate critical populations health care workers the elderly people made vulnerable by medical conditions would stamp out the pandemic faster and reignite economies hatchett said the alternative he said is a replay of past pandemics including the h1n1 influenza outbreak of 2009 with wealthy countries hoarding the vaccinesif that happens pandemic experts warn infection hot spots will continue to pop up each with the potential to create a new wave of illnessfull speed ahead the scale of the coronavirus vaccine race has no historical parallels cepi has identified at least 115 ongoing vaccine initiatives worldwide and the race is shattering norms of speed and safety in drug and vaccine developmentsome developers are running safety and efficacy trials in tandem instead of sequentially as is typical and shortcutting traditional testing protocols others are working with regulators in multiple countries simultaneously looking for the quickest path to marketthe resulting uncertainty makes it especially risky to invest in manufacturing facilities for a given candidate since different types of vaccines can require very distinct production linesmany of the candidates attracting the most investment rely on proven vaccine approaches being adapted by big pharma companies with regulatory and production acumen some funders are gambling on smaller biotech companies and academic labs which may have promising technologies but little to no experience getting a drug or vaccine approved and produced at scalebarda the us rd agency is one of the biggest vaccine funders with some 5 billion to spend the agency plans to invest in five vaccine candidates focusing mostly on projects from experienced drug makerseach is coming with a lot of prior experience said rick bright who until this month was bardas director they all know how to scale upin one of its biggest bets barda is pouring nearly 500 million into a jj effortjjs coronavirus vaccine candidate uses a cold virus rendered harmless to deliver genes derived from the spiky crownshaped proteins on the surface of the new coronavirus prompting an immune responsejj is using the same technology to develop vaccines for other viruses including ebola while none has completed testing and won full us approval trials so far in tens of thousands of people have produced data showing the basic approach is safe which could speed regulatory approval for the new coronavirus vaccine but its far from a sure bet animal test data due this summer will give the first hint of the vaccines effectiveness and human trials will begin in september\nby end of the year well know whether it protects humans said stoffels jjs chief science officerin china cansino biologics inc 6185hk has vaccine technology similar to the one being used by jj cansino is further along with its testing having announced this month that its candidate had cleared initial safety trials in humans and was set to advance to the next stage\nsanofi sa sasypa the worlds largest vaccine maker has attracted barda money for another proven approach based on its approved flublok flu shot sanofi uses insect cells instead of the traditional chicken eggs to grow the genetically altered virus proteins used to spur an immune response not all the vaccine projects getting attention have a big pharma pedigreemoderna inc mrnao a biotech firm based in cambridge massachusetts was the first in the united states to begin human trials when it began testing its vaccine last month working with the us national institutes of health the company received seed money from cepi and this month barda kicked in 483 million to support the vaccines development and help scale up manufacturing that includes hiring 150 skilled workers to eventually produce vaccine around the clockmodernas vaccine uses genetic material called messenger rna mrna to instruct cells in the body to make specific coronavirus proteins that then produce an immune responseno mrna vaccine has ever been approved for public use but the technology is drawing interest in part because it makes a vaccine easier to design and produce in vast quantitiesthe end game is millions of doses tal zaks modernas chief medical officer told reuters the company hopes to have an approved vaccine available as early as march 2021 and possibly before then for healthcare workers german vaccine makers curevac and biontech se 22uayf bntxo which is partnering with pfizer inc pfen are preparing to begin trials with similar mrnabased vaccine candidates so is lexington massachusettsbased translate bio inc tbioo which is working with sanofiextraordinary shortcuts even for vaccine hopefuls already in human tests it will be months before theres conclusive evidence on safety and effectiveness something funders are keenly aware ofthe rush has prompted scientists to consider previously unthinkable shortcutsnormally vaccines would need to undergo clinical trials involving thousands of people before widespread inoculation is allowed but after testing a prospective vaccine in a smaller group to ensure it is not toxic swiss researchers seek to immunize a lot of the swiss population in the next six months and then produce for a world market dr martin bachmann head of immunology at inselspital the university hospital of bern said this weeka spokesman for swissmedic the countrys drug regulator said it was in contact with bachmanns group and would not allow trials until the agency is assured that safety risks are addressedthe swiss vaccine employs viruslike particles to provoke an immune response an approach that theoretically is considered safer because it does not directly expose people to the actual coronavirus so far it has only been tested in micedr gregory poland a vaccine researcher at the mayo clinic in rochester minnesota is among those worried about the risks of injecting a large group of people with a vaccine that has only been through minimal testing in humansi dont see how this is possible he told reuters referring to inselspitals planlessons unlearned the war on covid19 is haunted by lessons from the fight against another virus a decade agoin the spring of 2009 the h1n1 swine flu virus emerged in the united states and mexico and spread worldwide within weeks the world health organizationwho declared it the first pandemic since 1968wealthier governments that had provisional contracts with vaccine makers immediately exercised them effectively monopolizing the global vaccine supply according to hatchett and numerous official reports the us alone ordered 250 million doses and australia brazil france italy new zealand norway switzerland and britain all had vaccineunder pressure from the who those countries ultimately committed to share 10 of their stockpiles with poorer nations but due to production and distribution snarls only about 77 million doses were shipped far less than needed and only after the disease had peaked in many regionsif an effective vaccine emerges for the new coronavirus a replay is possible experts in pandemic preparedness say none of the global health authorities consulted by reuters believes there will be sufficient supplies to satisfy the immediate demand governments will be under tremendous pressure to immunize their own citizenry and get life back to normal so hoarding remains a serious riskronald st john a physician who has held government posts on infectious disease control in the united states and canada expects a similar scenario with vaccines\nthere is going to be a lot of selfinterest in terms of the production he saidbarda explicitly gives preference to vaccine projects promising us production capacitywere asking the american taxpayer to give a lot to the vaccine effort so its important to ensure us access to any successful vaccine said bright bardas recent chiefbut he added that barda also is encouraging the companies it backs to build manufacturing capacity outside the united states so we can have a global supply all at oncemany governments are pouring money into vaccine initiatives with expectations that they will be first in line if a viable vaccine emergesarcturus therapeutics holdings inc arcto a san diego biotech is receiving up to 10 million from the singapore government to develop its mrnabased coronavirus vaccine candidate in partnership with the dukenational university of singapore medical school if the vaccine is approved singapore gets first access said arcturus ceo joseph payne everything after that he said goes to whoever pays for itarcturus is not responsible for the ethics of distribution governments are but in order for governments to get the vaccine they need to pay for it payne said the country that will win is the country that stockpiles multiple vaccines at riskthe company raised 805 million this week from a common stock public offeringin china a major global producer of vaccines the government is backing several coronavirus vaccine projects raising the prospect it will inoculate its 14 billion people first one governmentbacked effort by sinovac biotech ltd svao is already testing vaccine candidates in humans and awaiting initial datasinovac got 60 million yuan 84 million in lowrate credit lines through a discount loan program supported by chinas central bank government officials quickly made land available for the company to build production plants including a factory meant to produce up to 100 million doses a year of its coronavirus vaccine\nsinovac would not discuss how much public money is being invested the relevant government agencies declined requests for commenton friday the world health organization announced a landmark collaboration across the international community to raise 8 billion to accelerate the coronavirus vaccine development and ensure equitable access worldwide to any successful vaccine countries across europe asia africa the middle east and the americas announced their participation but the united states and china two of the worlds biggest pharma forces did notthere will be no us official participation a spokesman for the us mission in geneva told reuters adding that the us supports global cooperation to develop a vaccinebroader questions about us policy on international vaccine distribution are still under consideration within the trump administration according to a member of the white house coronavirus task force who spoke to reuters on condition of anonymity the official noted that the us department of state and the us agency for international development are spending nearly 500 million to assist with the covid19 response internationallya who spokeswoman said fridays announcement was the beginning of a global collaboration and we would welcome more countries coming on board china did not respond to a request for commentpeople involved in the global vaccine race told reuters that the greatest incentive for countries to promise to share coronavirus vaccines may be the uncertainty around which ones will worksince no country can be sure the candidates it backs will prove successful committing to sharing with other nations can help assure theyll have an initial supply to inoculate health care workers and other critical populationsthats enlightened selfinterest as well as a global public good said jeremy farrar an infectious disease expert and director of the wellcome trust global health charity", + "https://www.reuters.com/", + "TRUE", + 0.12234657602376045, + 2450 + ], + [ + "Is a lost sense of smell a symptom of COVID-19? What should I do if I lose my sense of smell?", + "increasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate", + "https://www.health.harvard.edu/", + "TRUE", + 0.0009618506493506484, + 269 + ], + [ + "Coronavirus Update: FDA and FTC Warn Seven Companies Selling Fraudulent Products that Claim to Treat or Prevent COVID-19", + "the us food and drug administration fda and the federal trade commission ftc issued warning letters to seven companies for selling fraudulent covid19 products these products are unapproved drugs that pose significant risks to patient health and violate federal law the fda and ftc are taking this action as part of their response in protecting americans during the global covid19 outbreak the warning letters are the first to be issued by the fda for unapproved products intended to prevent or treat novel coronavirus disease 2019 covid19the fda considers the sale and promotion of fraudulent covid19 products to be a threat to the public health we have an aggressive surveillance program that routinely monitors online sources for health fraud products especially during a significant public health issue such as this one said fda commissioner stephen m hahn md we understand consumers are concerned about the spread of covid19 and urge them to talk to their health care providers as well as follow advice from other federal agencies about how to prevent the spread of this illness we will continue to aggressively pursue those that place the public health at risk and hold bad actors accountable there already is a high level of anxiety over the potential spread of coronavirus said ftc chairman joe simons what we dont need in this situation are companies preying on consumers by promoting products with fraudulent prevention and treatment claims these warning letters are just the first step were prepared to take enforcement actions against companies that continue to market this type of scamthe fda is particularly concerned that products that claim to cure treat or prevent serious diseases like covid19 may cause consumers to delay or stop appropriate medical treatment leading to serious and lifethreatening harm the fda and ftc jointly issued warning letters to vital silver quinessence aromatherapy ltd xephyr llc doing business as nergetics gurunanda llc vivify holistic clinic herbal amy llc and the jim bakker show the products cited in these warning letters are teas essential oils tinctures and colloidal silver the fda has previously warned that colloidal silver is not safe or effective for treating any disease or condition the fda and ftc requested companies respond in 48 hours describing the specific steps they have taken to correct the violations companies that sell products that fraudulently claim to prevent treat or cure covid19 may be subject to legal action including but not limited to seizure or injunction there are currently no vaccines or drugs approved to treat or prevent covid19 although there are investigational covid19 vaccines and treatments under development these investigational products are in the early stages of product development and have not yet been fully tested for safety or effectiveness in addition to following up with companies that fail to make adequate corrections the fda and ftc will continue to monitor social media online marketplaces and incoming complaints to help ensure that the companies do not continue to sell fraudulent products under a different company name or on another website an fda crossagency task force has been established and dedicated to closely monitor for fraudulent products related to covid19 the task force has already reached out to major retailers to ask for their help in monitoring their online marketplaces for fraudulent products claiming to combat coronavirus and other pathogens the task force has already worked with major retailers and online marketplaces to remove more than three dozen listings of fraudulent covid19 products several have already agreed to monitor their marketplaces for covid19 claims the fda reminds consumers to be cautious of websites and stores selling products that claim to prevent mitigate treat diagnose or cure covid19 fraudulent covid19 products may come in many varieties including dietary supplements and other foods as well as products purporting to be drugs medical devices or vaccines products that claim to cure mitigate treat diagnose or prevent disease but are not proven safe and effective for those purposes defraud consumers of money and can place consumers at risk for serious harm using these products may lead to delays in getting proper diagnosis and treatment of covid19 and other potentially serious diseases and conditions the fda encourages health care professionals and consumers to report adverse events or quality problems experienced with the use of covid19 products to the fdas medwatch adverse event reporting program the fda an agency within the us department of health and human services protects the public health by assuring the safety effectiveness and security of human and veterinary drugs vaccines and other biological products for human use and medical devices the agency also is responsible for the safety and security of our nations food supply cosmetics dietary supplements products that give off electronic radiation and for regulating tobacco products", + "https://www.fda.gov/", + "TRUE", + 0.05270634920634922, + 788 + ], + [ + "How to grocery shop safely?", + "when grocery shopping keep at least 1metre distance from others and avoid touching your eyes mouth and nose if possible sanitize the handles of shopping trolleys or baskets before shopping once home wash your hands thoroughly and also after handling and storing your purchased productsthere is currently no confirmed case of covid19 transmitted through food or food packaging", + "https://www.who.int/", + "TRUE", + 0, + 58 + ], + [ + "Who is at highest risk for getting very sick from COVID-19?", + "older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these includeblood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeksdiabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injury", + "https://www.health.harvard.edu/", + "TRUE", + -0.018518518518518517, + 148 + ], + [ + "Critically ill patients with COVID-19 in New York City", + "with more than 42 million people infected and over 288 000 deaths as of may 12 2020 covid19 is threatening the entire world with dramatic consequences for global health and the economy after the initial outbreaks in china and italy the virus rapidly spread worldwide and today the usa is one of the most affected country with more than 13 million casesin the absence of effective containment measures covid19 outbreaks are characterised by an overwhelming number of patients requiring hospital admission which could exceed the capacity even of well organised healthcare systemscurrent knowledge of the clinical course of severe forms of covid19 is mainly based on retrospective analyses of chinese italian and us case seriesthese studies show that critically ill patients with covid19 are mainly older mostly men and have at least one comorbidity primarily hypertension and mortality is very high ranging from 56 to 97 when invasive mechanical ventilation is required however limited data are available on factors independently associated with mortality in the lancet matthew cummings and colleagues add to our knowledge by reporting the results of a prospective cohort study describing clinical characteristics management and outcomes of 257 critically ill patients 87 34 women and 170 66 men median age 62 years admitted to highdependency and intensive care units in two hospitals in new york city over a period of 4 weeks notably critically ill patients with covid19 represented 22 of all patients admitted compared with other reports in the cohort described by cummings and colleagues the proportion of patients younger than 50 years of age was relatively high 55 21 of 257 patients this could be explained by the high incidence of obesity which affected 39 71 of those 55 younger patients other common comorbidities were hypertension 162 63 diabetes 92 36 chronic cardiovascular disease 49 19 chronic kidney disease 37 14 and chronic pulmonary disease 24 9 203 79 patients required invasive mechanical ventilation median respiratory system compliance was low 26 mlcm water and all patients required a high fraction of inspired oxygen despite having relatively high levels of positive endexpiratory pressure median 15 cm water although obesity might have affected the mechanical properties of the respiratory system these findings underline that the optimal management of mechanical ventilation in patients with covid19 and acute respiratory failure remains poorly understoodthe study by cummings and colleagues10 confirms that covid19 is characterised by a high incidence of multiple organ dysfunction as shown by the proportion of patients requiring vasopressors 170 66 and renal replacement therapy 79 31 regarding pharmacological treatments antibacterial agents were administered empirically to nearly all critically ill patients 229 89 and hydroxychloroquine was administered to 185 72 while corticosteroids and interleukin6 il6 receptor antagonists were administered to fewer patients 68 26 received corticosteroids and 44 17 received il6 receptor antagonists no data are available on the temporal changes of inflammatory markers in patients receiving immunomodulating treatments furthermore no information is provided about strategies of anticoagulant therapies which are particularly interesting given the high incidence of thromboembolic complications associated with covid19with regards to patient outcome the study conveys important messages in particular it shows that the disease is characterised by a high mortality 101 39 after a minimum followup of 28 days and prolonged clinical course as shown by the high percentage of patients still in the hospital 94 37 at the end of followup the multivariable cox model analysis showed that history of chronic pulmonary disease had the highest adjusted hazard ratio ahr for mortality ahr 294 95 ci 148584 other independent predictors of death were history of chronic cardiovascular disease ahr 176 95 ci 108286 older age ahr 131 95 ci 109157 higher concentrations of il6 ahr 111 95 ci 102120 per decile increase and higher concentrations of ddimer per decile increase on admission there appear to be no differences by sex the association of mortality with higher concentrations of il6 and ddimer is particularly relevant for two reasons first it confirms the key pathogenic role played by the activation of systemic inflammation and endothelialvascular damage in the development of organ dysfunction second it provides the rationale for the design of clinical trials for measuring the efficacy of treatment with immunomodulating and anticoagulant drugsthe study by cummings and colleagues shows that clinicians can produce highquality research even when facing an overwhelming clinical workload however despite providing important insights this work leaves us with some unanswered questions while waiting for the availability of a covid19 vaccine further studies are required to improve and personalise patient treatment with particular attention to the role of initial noninvasive respiratory support strategies timing of intubation optimal setting of mechanical ventilation and efficacy and safety of immunomodulating agents and anticoagulation strategies", + "https://www.thelancet.com/", + "TRUE", + 0.09963698675062314, + 781 + ], + [ + "What do I need to know about washing my hands effectively?", + "wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryalways wash hands with soap and water if hands are visibly dirtythe cdcs handwashing website has detailed instructions and a video about effective handwashing procedures", + "https://www.health.harvard.edu/", + "TRUE", + 0.028571428571428564, + 94 + ], + [ + "Will a pneumococcal vaccine help protect me against coronavirus?", + "vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnesses", + "https://www.health.harvard.edu/", + "TRUE", + 0.007000000000000001, + 64 + ], + [ + "Stay home", + "it can be its own challenge here are some tipsfor people fortunate enough to be able to stay home being stuck inside 24 hours a day for weeks on end is unlike anything any of us has ever experienced its a whole new set of stressors and unique experiences on top of the very real cabin fever that can set in but as difficult as sheltering in place can be remember that its all about keeping you your loved ones and your community safefirst remember that its ok to feel stressed and unproductive give yourself permission to feel whatever it is youre feeling because were spending so much time online it can feel like youre falling behind why havent i finished that book and knitted that scarf and cooked that feast yet but staying inside and attending to basic needs is plenty and if you have children acknowledge that these changes to daily life are difficultamong those basic needs is organizing and cleaning your home both vastly different tasks than they used to be to keep the home running smoothly consider these tips to keep your appliances functioning the mess to a minimum and the clutter at bay and changes you could make in how you do laundryas for cleaning your home prioritize hightouch surfaces including door knobs light switches refrigerator and microwave doors drawer pulls tv remotes counters and table tops toilet handles and faucet handles heres everything you need to know about cleaning your home but remember youre dealing with potentially harmful chemicals so dont accidentally poison yourself while cleaningfinally dont forget to keep moving its good for your health mind and soul", + "https://www.nytimes.com/", + "TRUE", + 0.22252121212121218, + 275 + ], + [ + "R0: How scientists quantify the intensity of an outbreak like coronavirus and predict the pandemic’s spread", + "if you saw the 2011 movie contagion about a worldwide pandemic of a new virus then youve heard the term r0pronounced r naught this isnt just jargon made up in hollywood it represents an important concept in epidemiology and is a crucial part of public health planning during an outbreak like the current coronavirus pandemic thats spread globally since it was first identified in chinascientists use r0 the reproduction number to describe the intensity of an infectious disease outbreak r0 estimates have been an important part of characterizing pandemics or large publicized outbreaks including the 2003 sars pandemic the 2009 h1n1 influenza pandemic and the 2014 ebola epidemic in west africa its something epidemiologists are racing to nail down about sarscov2 the virus that causes covid19how much will a disease spreadthe formal definition of a diseases r0 is the number of cases on average an infected person will cause during their infectious periodthe term is used in two different waysthe basic reproduction number represents the maximum epidemic potential of a pathogen it describes what would happen if an infectious person were to enter a fully susceptible community and therefore is an estimate based on an idealized scenariothe effective reproduction number depends on the populations current susceptibility this measure of transmission potential is likely lower than the basic reproduction number based on factors like whether some of the people are vaccinated against the disease or whether some people have immunity due to prior exposure with the pathogen therefore the effective r0 changes over time and is an estimate based on a more realistic situation within the populationits important to realize that both the basic and effective r0 are situationdependent its affected by the properties of the pathogen such as how infectious it is its affected by the host population for instance how susceptible people are due to nutritional status or other illnesses that may compromise ones immune system and its affected by the environment including things like demographics socioeconomic and climatic factorsfor example r0 for measles ranges from 12 to 18 depending on factors like population density and life expectancy this is a large r0 mainly because the measles virus is highly infectiouson the other hand the influenza virus is less infectious with its r0 ranging from 09 to 21 influenza therefore does not cause the same explosive outbreaks as measles but it persists due to its ability to mutate and evade the human immune systemwhat makes r0 useful in public healthdemographer alfred lotka proposed the reproduction number in the 1920s as a measure of the rate of reproduction in a given populationin the 1950s epidemiologist george macdonald suggested using it to describe the transmission potential of malaria he proposed that if r0 is less than 1 the disease will die out in a population because on average an infectious person will transmit to fewer than one other susceptible person on the other hand if r0 is greater than 1 the disease will spreadwhen public health agencies are figuring out how to deal with an outbreak they are trying to bring r0 down to less than 1 this is tough for diseases like measles that have a high r0 it is especially challenging for measles in densely populated regions like india and china where r0 is higher compared to places where people are more spread outfor the sars pandemic in 2003 scientists estimated the original r0 to be around 275 a month or two later the effective r0 dropped below 1 thanks to the tremendous effort that went into intervention strategies including isolation and quarantine activitieshowever the pandemic continued while on average an infectious person transmitted to fewer than one susceptible individual occasionally one person transmitted to tens or even hundreds of other cases this phenomenon is called super spreading officials documented super spreader events a number of times during the sars epidemic in singapore hong kong and beijingr0 for coronavirus sarscov2 a number of groups have estimated r0 for this new coronavirus the imperial college group has estimated r0 to be somewhere between 15 and 35 most modeling simulations that project future cases are using r0s in that rangethese differences are not surprising theres uncertainty about many of the factors that go into estimating r0 such as in estimating the number of cases especially early on in an outbreakbased on these current estimates projections of the future number of cases of coronavirus are fraught with high levels of uncertainty and will likely be somewhat inaccuratethe difficulties arise for a number of reasonsfirst the basic properties of this viral pathogen like the infectious period are as yet unknownsecond researchers dont know how many mild cases or infections that dont result in symptoms have been missed by surveillance but nevertheless are spreading the diseasethird the majority of people who come down with this new coronavirus do recover and are likely then immune to coming down with it again its unclear how the changing susceptibility of the population will affect the future spread of infection as the virus moves into new regions and communities it encounters people with varying health conditions that affect their susceptibility to disease as well as different social structures both of which affect its transmissibilityfinally and likely the most important reason no one knows the future impacts of current disease control measures epidemiologists current estimates of r0 say nothing about how measures such as travel restrictions social distancing and selfquarantine efforts will influence the viruss continued spread", + "https://theconversation.com/", + "TRUE", + 0.10574216871091872, + 908 + ], + [ + "What is it like inside a hospital biocontainment room?", + "at first glance patient rooms in the johns hopkins biocontainment unit look no different than any hospital patient roomuntil you see the doors theyre colorcoded for health care worker safety the colors signify required safety procedures to gain entry to a room red for example might alert a provider to change their personal protective gearwe work so hard to make sure we can safely care for any patient at any time and simple safety cues like our doors help us do just thatthe design of the 7900 squarefoot unit including three patient rooms an onsite lab shower facilities and cleanincleanout anterooms helps us care for patients safely while protecting our staff and our community a patient might be feeling scared and disoriented so making sure they are safe and cared for is the number one priority of our team ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.22348484848484845, + 139 + ], + [ + "Is COVID-19 caused by human consumption of animals?", + "covid19 the disease caused by the novel coronavirus likely began in a wet market in wuhan china early research suggests the virus originated in bats and was transferred by a yet unknown intermediary animal to people a possible animal that couldve acted as a middleman is the pangolin also called a scaly anteater which is considered a delicacy in some asian countries and illegally traded for its meat and scaleswet markets are places where people can buy a variety of live animals for consumption many different species can be found stacked on top of one another in such environments which are conducive to crossspecies disease transfer it is impossible to determine whether covid19 would have arisen without the existence of the wet markets or settings like it but it is true that such markets supply the conditions for such diseases to arise and infect humans indeed sars or severe acute respiratory syndrome resulted from a virus transferring from bats to civet cats and then humans discovered in 2003 sars originated at a wet market similar to the one now suspected to be the origin of covid19\nsimilarly it is difficult to determine how many zoonotic diseases would arise in a world where humans didnt eat meat yet even with the preventative measures in the american food system like feeding livestock antibiotics and pathogenreducing treatments like the chlorine washing of meat the proximity to animals still allows for the possibility that diseases might be transferred through direct humananimal contactreducing human contact with animals however is likely the most effective way to lower the risk of transferring pandemiccausing viruses and bacteria to humans from animal populations", + "https://www.usatoday.com/", + "TRUE", + 0.0649891774891775, + 274 + ], + [ + "What is the risk of getting COVID-19 from packages delivered through the postal system?", + "a recent study published by the new england journal of medicine nejm reported that the causal agent of covid19 sarscov2 is able to persist for up to 24 hours on cardboard in experimental settings eg controlled relative humidity and temperature in practice however there is no evidence of the infection ever being transmitted through contaminated packages that are exposed to different environmental conditions and temperatures", + "https://www.ecdc.europa.eu", + "TRUE", + 0.12272727272727273, + 65 + ], + [ + "Anti-vaxxers will fight the eventual coronavirus vaccine. Here’s how to stop them", + "it would be reckless to simply dismiss the concerns of frightened parentscentral to our hope of returning to life as normal is the possibility of a vaccine against sarscov2 the coronavirus that is causing covid19 dozens of companies have announced innovative development plans and the white house has called for relaxed regulations that would expedite testing and approvalit seems as if everyone would be on board a simple intervention to prevent future infection protect those who are most vulnerable and allow us to move freely once again all without significant side effects yet the race for a vaccine and the techniques being used to manufacture it are bound to activate some familiar fears in particular those who worry about unnatural medical interventions may fear the vaccine more than the pandemic its designed to stop if we dont learn from past mistakes and funnel resources into education and outreach the process could backfire magnifying distrust of vaccines and making widespread immunity harder to achievethere are many players in the current vaccine development race using several different techniques among them are biotechnology companies relatively new to vaccine development that are using novel technologies that do not employ the traditional approach of culturing and attenuating a live virus the first vaccine approved for clinical trials in germany aims to deliver an engineered synthetic gene that will allow the body to recognize an antigen and build an immune response without risk of illness the hope is that such vaccines could be administered in smaller doses facilitating quicker delivery to more people even with relatively limited manufacturing capabilities meanwhile at oxfords jenner institute researchers have begun human testing of a vaccine made by genetically modifying a common cold virus to produce proteins from the virus that causes covid19 causing it to trigger an immune responsethe trouble at least where public perception is concerned may begin with the vexing terms synthetic and modified consumers draw strong distinctions between natural and artificial this is most obvious in the food industry where nongmo and natural branding command outsize influence overcoming the stigma of artificial or synthetic is also proving to be a problem for socalled cultured meat yet rejection of hightech foods is a symptom of a broader preference for the natural and fear of the unnatural which has featured in historical objections to everything from in vitro fertilization to cloning animalstroublingly the naturalunnatural binary is a powerful paradigm for parents who reject some or all vaccines such parents tend to emphasize natural living and see manmade inventions as intrinsically inferior and potentially dangerous the movement led by actress jenny mccarthy to green the vaccine focuses specifically on the ingredients in vaccines as she told a crowd of supporters this is not an antivaccine rally this is not an antivaccine group what we are saying is that the number of vaccines given and the ingredients like the freaking mercury the ether the aluminum the antifreeze need to be removed immediately antifreeze is not used in vaccines mccarthys is a position that allows one to be theoretically open to vaccines while opposing the unnatural chemicals that are inevitably in them as in this characteristic tweet the reason why im most likely against a vaccine is because beside the pathogen there are 100 or more chemicals and preservatives which outcome sic the advantages of vaccines almost anything unnatural to your body is badthese are the critiques that have long been leveled at vaccines produced by more traditional means if new vaccines are seemingly less natural and rely on synthetic genetic material or genetic modification their perceived artificiality is likely to heighten concerns it could also exacerbate the widespread misconception that vaccinederived immunity is inferior to natural immunity derived from infection and recovery as one parent put it an interview comparing immunity resulting from vaccines with natural immunity resulting from infection a vaccines never gonna do better than what my body can produce if my bodys healthy enough to produce so thats what we went withmisguided as such ideas are it would be reckless to dismiss parents concerns as foolish or ignorant it would also be reckless to continue to develop a vaccine without significant investment in public outreach not everyone who rejects vaccines is a conspiracy theorist some are just under the spell of the naturalunnatural binary which has also captured everyone from fans of lacroix seltzer to devotees of gwyneth paltrows wellness brand moreover pharmaceutical companies and tech companies have squandered our trust failing to be transparent about their product development testing procedures and safety measures which has resulted in marketing of ineffective drugs and patient harm given all of this a vaccine produced by untrusted actors using synthetic genetic material and rushed to production runs a very high risk of provoking resistancefortunately there are established ways to mitigate that risk social distancing for polio in years past resembles our response to covid19 uncertainty and fear were equally common and there was also a race for a vaccine yet as groups like the national foundation for infantile paralysis later the march of dimes and an early example of crowdsourced science raised funds for a vaccine they communicated clearly and effectively to the public so clearly and effectively in fact that a 1954 gallup poll shows that more people knew about the polio vaccine field trials than knew the name of the presidenttoday trust in the medical establishment is notably lower than it was decades ago public perception of pharmaceutical companies has been clouded understandably by exposes of widespread corruption profiteering and manipulation of the kind that led to the opioid crisis that makes it imperative for sarscov2 vaccine researchers in the united states and abroad as well as government agencies and health care providers to emphasize transparency clarity and reassurance about vaccine science including the way vaccines work in the body and what steps were abbreviated in what will surely be an expedited review processlong lists of side effects in fine print and newspaper articles laden with technical jargon are not enough an essential part of transparency is ensuring that explanations are easily accessible and widely distributed through active outreach supply chains and manufacturing standards often opaque must also be made painstakingly clear this is especially important given the global nature of vaccine development and production which includes countries with different standards of transparency and regulationovercoming the naturalunnatural binary is a good place to start pediatricians are already increasingly working to describe vaccines as a technology that allows the bodys natural immune response to create protections and stimulate a natural reaction immunize for good a colorado vaccine advocacy campaign has adopted similar rhetoric to reassure the public explaining that vaccines cause a natural immune response in the body without causing illness our bodies recognize these weakened invaders and create antibodies to protect us against future infection in this way we trick our bodies into thinking weve already had the disease in other words they emphasize how the end result is not only safe but also naturalthose who frame the vaccine in this way do so because they have listened to peoples concerns and thats what we should be doing right now vaccine development ought to be conducted with the continual feedback of laypeople upon whose willingness to vaccinate our general health depends that means anticipating new concerns and empowering the public by soliciting their input on how to communicate about them", + "https://www.washingtonpost.com/", + "TRUE", + 0.10377056277056276, + 1232 + ], + [ + "Adding pepper to your soup or other meals DOES NOT prevent or cure COVID-19", + "hot peppers in your food though very tasty cannot prevent or cure covid19 the best way to protect yourself against the new coronavirus is to keep at least 1 metre away from others and to wash your hands frequently and thoroughly it is also beneficial for your general health to maintain a balanced diet stay well hydrated exercise regularly and sleep well", + "https://www.who.int/", + "TRUE", + 0.17954545454545456, + 62 + ], + [ + "Chasing The Elusive Dream Of A COVID Cure", + "although scientists and stock markets have celebrated the approval for emergency use of remdesivir to treat covid19 a cure for the disease that has killed over 304000 people remains a long way off and might never arrivehundreds of drugs are being studied around the world but i dont see a lot of home runs right now said dr carlos del rio a professor of infectious diseases at the emory university rollins school of public health i see a lot of strikeoutsresearchers have launched more than 1250 studies of covid19 pharmaceutical companies are investing billions to develop effective drugs and vaccines to help end the pandemicdr anthony fauci director of the national institute of allergy and infectious diseases was cautious when announcing the results of a clinical trial of remdesivir last week noting it isnt a knockout although remdesivir helped hospitalized covid19 patients recover more quickly it hasnt been proved to save livesthis drug is opening the door fauci said as more companies and investors get involved its going to get better and betterresearchers have already announced that they will combine remdesivir with an antiinflammatory drug baricitinib now used to treat rheumatoid arthritis in the hope of improving resultsbut covid19 is an elusive enemydoctors treating covid patients say theyre fighting a war on multiple fronts battling a virus that batters organs throughout the body causes killer blood clots and prompts an immune system overreaction called a cytokine stormwith so many parts of the body under siege at once scientists say improving survival rates will require multiple routes of attack and more than one drug while some of the experimental medications target the virus others aim to prevent the immune system from inflicting collateral damagethere are so many pieces of this and they will all require different therapies said dr lewis kaplan president of the society of critical care medicine whose doctors provide intensive carehightech approaches include using stem cells virusspecific t cells and synthetic antibodies to neutralize the coronavirusscientists are also taking a fresh look at existing medications that might be repurposed to fight covid19 these include antivirals for influenza arthritis drugs estrogen patches and even antacids if repurposed drugs are successful they could reach patients relatively quickly because doctors are already familiar with their side effects and safety concernssome doctors are skeptical that drugs for heartburn or hot flashes have any chance of treating a killer like covid19dr steven nissen chair of cardiovascular medicine at the cleveland clinic said he fears that hype over unproven products will harm patients even if it temporarily boosts company stock prices patients who demand antacids or antimalarial drugs being studied in covid19 could be harmed by side effects for example those who hoard drugs on the hope of protecting themselves from covid19 could deprive other patients of medications they need to stay healthy some people may refuse to participate in clinical trials because they fear being given a placebothis rush to get every imaginable treatment into a study its not prudent nissen said its not good medicine its an act of desperationother experts say scientists should cast a wide neti dont think we want to rule anything out because it sounds out of the ordinary said dr walid gellad director of the center for pharmaceutical policy and prescribing at the university of pittsburghantivirals in the spotlight antivirals such as remdesivir aim to prevent viruses from replicating said dr peter hotez a professor at baylor college of medicine in houstonthat doesnt always work a small chinese study of remdesivir published last month in the lancet found no benefit to severely ill covid19 patients remdesivir had previously failed when tested against ebolaantivirals tend to be most helpful in the early stages of infection when most of the harm to the patient is caused by the virus itself rather than the immune system hotez saidremdesivir is just one of many antivirals being tested against covid19international researchers are studying the antiviral favipiravir developed to fight the fluthe antimalarial drugs chloroquine and hydroxychloroquine which have been heavily touted by president donald trump also have antiviral effects although the food and drug administration approved forms of those drugs for emergency use against covid19 the agency later warned that they could cause dangerous heart rhythm problemsa study in the new england journal of medicine likewise found no benefit in giving two antivirals used to treat hiv a combination of lopinavir and ritonavir sold as kaletra in adults hospitalized with severe covid19harnessing the immune systemone of the therapies generating excitement is also one of the oldest antibodyrich blood from covid survivorsthe immune system produces antibodies in response to invaders such as viruses and bacteria allowing the body to recognize and neutralize them antibodies also recognize and neutralize the virus the next time that person is exposeddoctors hope that patients who develop antibodies against the novel coronavirus will become immune at least for a few years although this hasnt been provedscientists developing this convalescent plasma are studying whether covid19 survivors can share this immunity with others by donating their plasma the liquid part of blood that contains antibodies said dr shmuel shoham an associate professor of medicine at the johns hopkins university school of medicine\nin addition to treating people who are already sick donated plasma could potentially prevent people exposed to the virus such as health care workers from developing symptomsdonated antibodies and any immunity they might provide dont last forever said dr william schaffner a professor at the vanderbilt university medical center the body destroys aging antibodies as part of its routine maintenance he said in general half of donated antibodies are eliminated in about three weeks\nthe use of convalescent plasma goes back more than a century it was used during the 1918 flu pandemic and was shown to improve survival during the 200910 h1n1 pandemicdoctors dont know yet whether convalescent plasma will benefit people with covid19in general convalescent plasma is expected to be more effective in preventing illness than in treating it it may be less likely to help someone in intensive care shoham saidresearchers are also studying the use of prepackaged plasma called intravenous immunoglobulin in covid patients this product known as ivig is taken from healthy donors in the general population and has long been used to help patients with weakened immune systems fight off infections hospitals keep it in stock and some are already using it to treat covid patientsalthough the antibodies in prepackaged ivig dont specifically target the coronavirus researchers hope they will tamp down the immune responsein a third form of immune therapy researchers are trying to identify the specific antibodies that are most important for neutralizing the coronavirus then reproduce them as drugs called monoclonal antibodies monoclonal antibodies are already used to treat a variety of conditions from cancer to rheumatoid arthritis and migraineswhen we give people an antibody they are immediately at least partially immune to that specific virus said dr james crowe director of the vanderbilt vaccine center who hopes to have antibodies ready for a clinical trial in a few months were moving the immune system from one person to anotherideally doctors would develop a very potent monoclonal antibody or a cocktail of antibodies for covid19 patients to ensure the best chance of success crowe said but manufacturing these drugs can be complicated expensive and timeconsumingmaking two antibodies would be at least twice as complicated as making one crowe said a cocktail might be preferred but cocktails are harder to move quicklycalming the immune systemin most cases of covid19 the immune system neutralizes the coronavirus and patients recover without going to the hospitalfor reasons that doctors dont totally understand the immune system of some covid19 patients becomes hyperactive attacking not just the virus but the patients own cells a cytokine storm in which the immune system floods the body with inflammatory chemicals can do more damage than the virus itself\nin an effort to calm the immune system researchers are testing immunesuppressing drugs including monoclonal antibodies already used to treat autoimmune diseases such as rheumatoid arthritis said dr amesh adalja a senior scholar at the johns hopkins center for health securityhealth care giant roche is conducting large clinical trials of its drug actemra in the hope of preventing cytokine storms which can cause organ failure and a lifethreatening condition called sepsis actemra is designed to lower levels of an inflammatory chemical interleukin6 which has been found to be elevated in some covid19 patientsscientists are also studying similar drugs anakinra and siltuximabanother immune suppressant from regeneron and sanofi called kevzara has had disappointing results in clinical trials the manufacturers plan to continue studying the drug to see if it can help certain types of patientsdr anar yukhayev a new york obgyn who was hospitalized with covid19 on march 16 agreed to join a clinical trial of kevzarai was having so much trouble breathing that i was desperate for anything to help said yukhayev 31 who was treated at long island jewish medical center\nabout 36 hours after receiving an infusion as yukhayev was being treated in intensive care his symptoms began to improve he was able to avoid being put on a ventilator doctors didnt tell him if he received kevzara or a placebo but his liver enzymes also began to rise suggesting the organ was under stress elevated liver enzymes are a known side effect of kevzarayukhayev made a full recovery and went back to work full time april 13 he donated his plasma to researchersuntil vaccines and other preventive medicines are developed the best way to prevent coronavirus infections is to maintain social distancing adalja saidsocial distancing is a blunt tool he said but its all that we have", + "https://khn.org/", + "TRUE", + 0.07899292065958735, + 1610 + ], + [ + "Ventilator vs. respirator, quarantine vs. isolation: Covid-19 pandemic terms, defined", + "with the covid19 pandemic there are so many new things we need to grow accustomed to were physically avoiding many of the people and places we love and too many are now being burdened by the sudden economic crisis that has arisen alongside the pandemicbut there are also a lot of new and confusing terms were hearing aboutits okay if youre unsure of the difference between a respirator and a ventilator or the distinction between isolation and quarantine we hope this glossary of pandemic terms will helpvirus and outbreak terms sarscov2 the formal scientific name of the virus thats causing this pandemic its short for severe acute respiratory syndrome coronavirus 2\ncovid19 the disease caused by the virus sarscov2 if youre sick you have covid19 you were infected by sarscov2 if youre still confused think about how the hiv virus causes aidscoronavirus this is a family of viruses that sarscov2 belongs to technically they are known as betacoronaviruses but you can just say coronavirus the 2003 sars outbreak was a coronavirus as was mers in 2012 they are named coronaviruses because of their shape when viewed through a microscope the individual virus looks like a sphere surrounded by a spiky crown or coronaendemic a disease that regularly infects humans like the flu strep throat or any common illness there are four coronavirus strains that commonly infect humans usually manifesting as colds its possible that sarscov2 becomes endemic toopandemic a worldwide spread of a new disease most famous perhaps is the 1918 flu pandemic that is believed to have infected one in three people on the planet pandemic diseases can become endemic the world health organization declared covid19 a pandemic on march 11 2020epidemic a disease thats spreading over a wide area an epidemic is a less severe designation than a pandemic but there is an overlap between the two terms and yes its a bit confusing while a pandemic may be characterized as a type of epidemic you would not say that an epidemic is a type of pandemic merriamwebster explains the 20152016 spread of the zika virus through south and central america and the caribbean was an epidemicherd immunity herd immunity occurs when enough people become immune to a disease either through exposure or via a vaccine that the spread of the disease begins to slow or stop within a population right now immunity to covid19 is not well understood in time researchers will be able to test the blood of people who have recovered from covid19 in the weeks and months following their infection and see if they still are immune and those studies will teach us about whether we collectively can develop herd immunity to covid19zoonotic disease a illness that can pass between animals and humans covid19 is a zoonotic disease its believed sarscov2 comes from bats hiv ebola zika virus and even measles which jumped from cows to humans a very long time ago are all believed to have originated in animals in some form before spreading to humansr0 pronounced rnought r0 is the statistic that describes how contagious a disease is the figure refers to how many other people one sick person is likely to infect on average in a group thats susceptible to the disease meaning they dont already have immunity from a vaccine or from fighting off the disease before voxs julia belluz explains an r0 of 2 for example means each infected person is expected to spread the virus to two others the exact r0 for covid19 is still being determined but its currently believed to be between 2 and 25confirmed cases the number of covid19 cases that have been confirmed by diagnostic testing due to a shortage of tests the actual number of cases that exist is likely much highercase fatality rate cfr the death rate this figure explains what percentage of covid19 cases are fatal it varies by country and age group and the final figure will depend on figuring out the true number of cases which is hard to estimate without widespread testingmodes of transmission how a virus spreads from one person to another scientists are still working out how exactly this virus spreads the main mode of transmission appears to be via droplets these are bits of virusladen fluid a person spews out when they cough or sneeze researchers are still working out the conditions under which the virus can be airborne meaning how long viral particles can linger in the air under some environmental conditions its also possible that the virus can spread via the fecaloral route meaning the virus can be transmitted through feces which can then contaminate water or food if good hygiene is lackingpublic health measures social distancing a slew of tactics meant to keep people from congregating with the goal of keeping people 6 feet apart from one another six feet of distance helps keep droplets from an infected persons nose or mouth from hitting another person these tactics include canceling schools public events closing down restaurants and banning events of 10 or more peoplequarantine restricting the movement of or isolating people who might have been exposed to an infection but who arent yet sick usually quarantine restricts a persons movement to their homeisolation separating people with confirmed or probable infections from other healthy people so that they can get better without infecting anyone else one member of a household could be in isolation perhaps in a designated room that others do not enter while the other members of the household are in quarantine free to move around the home but not enter the isolation arealockdown the term lockdown isnt a technical term used by public health officials or lawyers lindsay wiley a health law professor at the washington college of law explained in an email it could be used to refer to anything from mandatory geographic quarantine which would probably be unconstitutional under most scenarios in the us to nonmandatory recommendations to shelter in place which are totally legal and can be issued by health officials at the federal state or local level to anything in between eg ordering certain events or types of businesses to close which is generally constitutional if deemed necessary to stop the spread of disease based on available evidencecordon sanitaire the restriction of movement in and out of a region or city china imposed one on the city of wuhan during the early days of the outbreakshelter in place an order requesting people stay at home except for trips to the grocery store pharmacies and other essential errands each state or city might define shelter in place slightly differently like lockdown this term can refer to a variety of guidelines each local government could also enforce these orders differently from just asking citizens to do it on a volunteer basis to enforcing orders with police citations the important thing is to check with your local authority for details on what is allowed and what is not when the local government tells you to shelter in place some cities like washington dc are not using this term but are instead telling people to stay home its effectively the same thingmedical equipment and pharmaceuticals\nventilator a machine that moves air in and out of the lungs in the case that a patient cannot or is having trouble breathing on their ownppe personal protective equipment such as masks gloves face shields and other gear that keeps health care workers from catching an infection\nrespirator a face mask that seals around the mouth and filters out particles from the air before they are breathed in an n95 respirator for example filters out 95 percent of very small 03 micron test particles the food and drug administration explains doctors nurses and hospital workers are facing shortages of this essential protective facewearsurgical mask or face mask these are loosefitting masks that dont filter out as many particles as a respirator but they do stop a wearer from spreading droplets of contagion when they sneeze or cough theyre also helpful in preventing a wearer from touching their face with dirty handschloroquine or hydroxychloroquine antimalarial drugs hyped by president trump despite weak evidence as being potentially useful in treating covid19 clinical trials of these drugs are underway but early evidence is still not clear they prove useful these arent the only drugs currently being tested to treat covid19 doctors are also testing antiviral medication and some hiv drugs these drugs are also used to treat arthritis and lupus as they also have antiinflammatory propertiesfever generally a fever is when the body temperature exceeds 1004f according to the centers for disease control and prevention cdc but there is some variability here human bodies tend to be coldest when we wake up so a 1004degree fever in the morning might grow a little hotter throughout the day some people also run a little hotter or colder than others the cdc advises fever may be considered to be present if a person has not had a temperature measurement but feels warm to the touch or gives a history of feeling feverishpneumonia when the small air sacs of the lungs alveoli the structures where gases from the atmosphere are exchanged with the blood become inflamed and fill up with fluid its a possible symptom of covid19reverse transcription polymerase chain reaction rtpcr a technology used for covid19 diagnostic testing it looks for the viruss genetic signatureserological tests a diagnostic test that looks for antibodies a blood protein built to help fight off a specific virus or pathogen could tell if someone has ever been infected with covid19 and could suggest they are possibly immune these tests are still being developed for covid19vaccine a formulation to stimulate the immune system to produce antibodies for a pathogen in the hope of providing immunity to that pathogen vaccines for sarscov2 are being tested but it could be a year or more before they are approved a safe and effective vaccine can stop this pandemic in its tracks\ntherapeutics drugs that lessen the severity of disease symptoms the world health organization is currently facilitating a multinational clinical trial testing medicines and combinations of medicines to treat covid19 therapeutics wont necessarily stop the outbreak though they may keep people from getting severely sick or dying even with therapeutics the virus could still spread infecting millions", + "https://www.vox.com/", + "TRUE", + 0.06853273518596098, + 1720 + ], + [ + "What are the treatments?", + "there is no specific antiviral treatment recommended for covid19 infection however people infected with the virus should receive supportive care to help relieve symptoms", + "https://www.chop.edu/", + "TRUE", + 0.25, + 24 + ], + [ + "How is COVID-19 spread?", + "there is much more to learn about how covid19 is spread and investigations are ongoing coronaviruses are a large family of viruses that mainly spread though respiratory droplets produced when an infected person coughs or sneezes similar to how influenza and other respiratory viruses spread", + "https://www.chop.edu/", + "TRUE", + 0.15119047619047618, + 45 + ], + [ + "Why Coronavirus Conspiracy Theories Flourish. And Why It Matters.", + "the coronavirus has given rise to a flood of conspiracy theories disinformation and propaganda eroding public trust and undermining health officials in ways that could elongate and even outlast the pandemicclaims that the virus is a foreign bioweapon a partisan invention or part of a plot to reengineer the population have replaced a mindless virus with more familiar comprehensible villains each claim seems to give a senseless tragedy some degree of meaning however darkrumors of secret cures diluted bleach turning off your electronics bananas promise hope of protection from a threat that not even world leaders can escape\nthe belief that one is privy to forbidden knowledge offers feelings of certainty and control amid a crisis that has turned the world upside down and sharing that knowledge may give people something that is hard to come by after weeks of lockdowns and death a sense of agencyit has all the ingredients for leading people to conspiracy theories said karen m douglas a social psychologist who studies belief in conspiracies at the university of kent in britainrumors and patently unbelievable claims are spread by everyday people whose critical faculties have simply been overwhelmed psychologists say by feelings of confusion and helplessnessbut many false claims are also being promoted by governments looking to hide their failures partisan actors seeking political benefit runofthemill scammers and in the united states a president who has pushed unproven cures and blamedeflecting falsehoodsthe conspiracy theories all carry a common message the only protection comes from possessing the secret truths that they dont want you to hearthe feelings of security and control offered by such rumors may be illusory but the damage to the public trust is all too realit has led people to consume fatal home remedies and flout social distancing guidance and it is disrupting the sweeping collective actions like staying at home or wearing masks needed to contain a virus that has already killed more than 79000 peopleweve faced pandemics before said graham brookie who directs the atlantic councils digital forensic research lab we havent faced a pandemic at a time when humans are as connected and have as much access to information as they do nowthis growing ecosystem of misinformation and public distrust has led the world health organization to warn of an infodemicyou see the space being flooded mr brookie said adding the anxiety is viral and were all just feeling that at scalethe allure of secret knowledgepeople are drawn to conspiracies because they promise to satisfy certain psychological motives that are important to people dr douglas said chief among them command of the facts autonomy over ones wellbeing and a sense of controlif the truth does not fill those needs we humans have an incredible capacity to invent stories that will even when some part of us knows they are false a recent study found that people are significantly likelier to share false coronavirus information than they are to believe itthe magnitude of misinformation spreading in the wake of the covid19 pandemic is overwhelming our small team snopes a factchecking site said on twitter were seeing scores of people in a rush to find any comfort make things worse as they share sometimes dangerous misinformationwidely shared instagram posts falsely suggested that the coronavirus was planned by bill gates on behalf of pharmaceutical companies in alabama facebook posts falsely claimed that shadowy powers had ordered sick patients to be secretly helicoptered into the state in latin america equally baseless rumors have proliferated that the virus was engineered to spread hiv in iran progovernment voices portray the disease as a western plotif the claims are seen as taboo all the betterthe belief that we have access to secret information may help us feel that we have an advantage that we are somehow safer if you believe in conspiracy theories then you have power through knowledge that other people dont have dr douglas saiditalian media buzzed over a video posted by an italian man from tokyo in which he claimed that the coronavirus was treatable but that italian officials were hiding the truthother videos popular on youtube claim that the entire pandemic is a fiction staged to control the populationstill others say that the disease is real but its cause isnt a virus its 5g cellular networksone youtube video pushing this falsehood and implying that social distancing measures could be ignored has received 19 million views in britain there has been a rash of attacks on cellular towersconspiracy theories may also make people feel less alone few things tighten the bonds of us like rallying against them especially foreigners and minorities both frequent scapegoats of coronavirus rumors and much else before nowbut whatever comfort that affords is shortlivedover time research finds trading in conspiracies not only fails to satisfy our psychological needs dr douglas said but also tends to worsen feelings of fear or helplessnessand that can lead us to seek out still more extreme explanations like addicts looking for bigger and bigger hitsgovernments find opportunity in confusion the homegrown conspiracists and doubters are finding themselves joined by governments anticipating political backlash from the crisis government leaders have moved quickly to shunt the blame by trafficking in false claims of their owna senior chinese official pushed claims that the virus was introduced to china by members of the united states army an accusation that was allowed to flourish on chinas tightly controlled social mediain venezuela president nicolás maduro suggested that the virus was an american bioweapon aimed at china in iran officials called it a plot to suppress the vote there and outlets that back the russian government including branches in western europe have promoted claims that the united states engineered the virus to undermine chinas economyin the former soviet republics of turkmenistan and tajikistan leaders praised bogus treatments and argued that citizens should continue workingbut officials have hardly refrained from the rumor mongering in more democratic nations particularly those where distrust of authority has given rise to strong populist movementsmatteo salvini the leader of italys antimigrant league party wrote on twitter that china had devised a lung supervirus from bats and ratsand president jair bolsonaro of brazil has repeatedly promoted unproven coronavirus treatments and implied that the virus is less dangerous than experts say facebook twitter and youtube all took the extraordinary step of removing the postspresident trump too has repeatedly pushed unproven drugs despite warnings from scientists and despite at least one fatal overdose of a man whose wife said he had taken a drug at mr trumps suggestionmr trump has accused perceived enemies of seeking to inflame the coronavirus situation to hurt him when supplies of personal protective equipment fell short at new york hospitals he implied that health workers might be stealing maskshis allies have gone furthersenator tom cotton republican of arkansas and others have suggested that the virus may have been produced by a chinese weapons lab some media allies have claimed that the death toll has been inflated by mr trumps enemiesa parallel crisis this kind of information suppression is dangerous really really dangerous mr brookie said referring to chinese and american efforts to play down the threat of the outbreakit has nourished not just individual conspiracies but a wider sense that official sources and data cannot be trusted and a growing belief that people must find the truth on their owna cacophony arising from armchair epidemiologists who often win attention through sensational claims is at times crowding out legitimate experts whose answers are rarely as tidy or emotionally reassuringthey promise easy cures like avoiding telecommunications or even eating bananas they wave off the burdens of social isolation as unnecessary some sell sham treatments of their ownmedical conspiracy theories have the power to increase distrust in medical authorities which can impact peoples willingness to protect themselves daniel jolley and pia lamberty scholars of psychology wrote in a recent articlesuch claims have been shown to make people less likely to take vaccines or antibiotics and more likely to seek medical advice from friends and family instead of from doctorsbelief in one conspiracy also tends to increase belief in others the consequences experts warn could not only worsen the pandemic but outlive itmedical conspiracies have been a growing problem for years so has distrust of authority a major driver of the worlds slide into fringe populism now as the world enters an economic crisis with little modern precedent that may deepenthe wave of coronavirus conspiracies dr jolley and dr lamberty wrote has the potential to be just as dangerous for societies as the outbreak itself", + "https://www.nytimes.com/", + "TRUE", + -0.008633761502613963, + 1424 + ], + [ + "When can we return to normal?", + "the stayathome and physical distancing measures that have been imposed throughout the eueea and the uk are highly disruptive to society both economically and socially and there is very wide agreement that they should be lifted as soon as it is safe to do so however lifting the measures too early or too quickly carries the risk of a rapid return to high infection rates and this could overwhelm the health system while causing high levels of illness and many deaths the joint european roadmap towards lifting covid19 containment measures addresses this issue by providing the framework for an economic and social recovery plan for the eu alongside a set of public health principles that are aimed at minimising the risk of a resurgence in the number of cases should a resurgence occur the stayathome and physical distancing measures may need to be put in place againit is increasingly recognised that we will be living with covid19 for many months or even years this disease will continue to affect our lives for some time to come and we all need to prepare mentally for that ", + "https://www.ecdc.europa.eu", + "TRUE", + 0.15277777777777776, + 185 + ], + [ + "How long after I start to feel better will be it be safe for me to go back out in public again?", + "we dont know for certain based on the most recent research people may continue to be infected with the virus and be potentially contagious for many days after they are feeling better but these results need to be verified until then even after 10 days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least six feet of distance away from other people", + "https://www.health.harvard.edu/", + "TRUE", + 0.1717532467532468, + 85 + ], + [ + "Vaccine Hesitancy Post-COVID-19: Will Our Memory Fade or Last?", + "fullscale efforts are underway to develop a vaccine free us from covid19s deadly grip but even if they succeed and thats no guarantee the question regrettably must be asked will people take itgiven the severity of the current crisis taking countless lives and sending our socioeconomic systems to the brink of collapse it seems unimaginable that anyone would reject a coronavirus vaccine yet over the last 2 decades vaccine hesitancy has risen so substantially that the who now considers it a major threat to global healthbecause some communities are refusing vaccines old enemies once thought conquered are returning last year for instance the us saw its highest number of measles cases since 1992 nearly costing the nation its elimination statusreasons for vaccine hesitancy vary but most stem from a case of cultural amnesia vaccines work because they shield our bodies from disease but in doing so they also shield our minds most of us have never experienced anything close to the fear and uncertainty created by covid19 but similar crises have occurred throughout history in 1918 an influenza pandemic erupted across the globe killing 50 million people in its wake and hospitalizing countless more polio terrorized the us for most of the first half of the 20th century striking abruptly and paralyzing generations of children smallpox a deadly and disfiguring disease dating back to the 3rd century bce was finally eradicated in 1980 through vaccinationvaccines largely erased fear of these diseases from our collective american consciousness along with it our sense of appreciation now however that fear has been rekindled we have once again been forced to grapple with our own human frailty in the face of a viral pandemic for which science does not yet have a solution but out of this uncertainty we have united in a manner that holds future promise in a country that prides itself on its individualism it is inspiring to see so many readily make sacrifices to protect what we hold dearest each otherif a covid19 vaccine is developed it is easy to envision our collective spirit translating into a renewed immunization movement driven not by government coercion but rather by voluntary action predicated on a revived understanding of the threat these diseases poseboth to ourselves and to humanity hopefully vaccination will be viewed for what it is an act of civil service taken to protect not only ones self but also those most vulnerable within our communities including those who serve on the frontlines poorly accepted vaccines such as influenzaa disease responsible for 60000 deaths in the us last seasonmight be viewed as the only sensible choice in a new era of social responsibilitynevertheless if we do enter a renewed age of vaccine appreciation how long will it last as years pass will we inevitably fall into the same pattern of apathy until the next pandemic strikes history tends to repeat itself and there are no easy fixes our best hope as always is education after this crisis ends and it will we must commit ourselves to reminding new generations how a small viral genome overcame centuries of scientific progress and nearly toppled the world as we know itthe scientific basis for vaccinations success is the concept of immune memory vaccines train our immune systems to fight infections before they invade for some vaccines the memory of how to fight lasts a lifetime for others it fades requiring periodic boosts after covid19 will our memory of this pandemic sustain our sense of obligation towards one another unite us in a shared fight against infectious disease and encourage a lasting commitment to vaccination will our memory fade or will it last forever for humanitys sake i hope it is the latter", + "https://www.globalhealthnow.org/", + "TRUE", + 0.09139438603724317, + 618 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated\n\nafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants\n\nthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 120 + ], + [ + "How to Wash Your Hands", + "its one of the most important things you can do to protect yourself your family and your community and if youre like us youve probably been doing it wrongwe asked the experts how to wash our hands after they taught us the proper technique above we had a few more questions\nwill touching the wet faucet really ruin everythingyesthe faucet may have the same germs you started with use a tissue or paper towel to turn it off once your hands are clean you dont want to begin again do youhow hard do i have to scrubmost people dont rub vigorously enough said barbara smith a nurse epidemiologist and infection prevention specialist at mount sinai health systems in new yorkwhen you wash your hands you are using soap and water to physically dislodge germs from your skin and then rinse them away \ndo i really have to dry my hands all the waymost people dont dry thoroughly enough germs love moisture and dont be afraid to use a little force here too you are physically removing whatever germs remaindo i have to use paper towelsno cloth towels are fine for personal use but should be washed every few days more if multiple people use the same towel a sick person should use a separate towel use paper towels for guestswhat about an air dryerin terms of hygiene paper towels are best hand dryers are ok so long as you dry your hands thoroughly there is inconclusive research that suggests a higher germ concentration around some hand dryers but using a hand dryer is definitely better than wiping your hands on your pantswhats the best way to know youve washed for 20 secondsone onethousand two onethousand three onethousanddoes it matter what kind of soap i useliquid soap is best bar soap is fine too just dont let it sit around in a gloppy dish remember germs love moisturewhen should i be washing my handsbefore you leave the house to protect others from your germsand when you arrive at your destination to wash off germs youve picked up from door knobs elevator buttons public transportation etcbefore and after you eat or prepare foodbefore and after you clean your homeafter you blow your nose cough or sneezeafter you use the bathroom or change a diaperafter you feed or touch a petwhat about lotion for dry handsyes but use your own personal supply most lotion does not contain antibacterial agents so it should not be shared and dont forget to keep the bottle and dispenser cleancan i still paint my nailsyes but its best to keep your nails short and your manicure fresh germs can live in cracked and chipped polishwhats the technique with hand sanitizeruse alcoholbased hand sanitizer with at least 60 percent alcohol and scrub your hands the same way you would with soap and water be sure to use enough liquid so you can reach every surface of your handsnote if youve seen the recipe circulating on social media for homemade sanitizer using aloe vera gel and rubbing alcohol we tried it and it didnt work youll just wind up with a batch of diluted alcoholis handwashing really that importantyour hands carry almost all your germs to your respiratory tract keeping them as clean as possible is really helpful said dr adit ginde professor of emergency medicine at the university of colorado school of medicine it would dramatically reduce transmission if people did it well", + "https://www.nytimes.com/", + "TRUE", + 0.18798791486291486, + 574 + ], + [ + "Is there a vaccine, drug or treatment for COVID-19?", + "while some western traditional or home remedies may provide comfort and alleviate symptoms of mild covid19 there are no medicines that have been shown to prevent or cure the disease who does not recommend selfmedication with any medicines including antibiotics as a prevention or cure for covid19 however there are several ongoing clinical trials of both western and traditional medicines who is coordinating efforts to develop vaccines and medicines to prevent and treat covid19 and will continue to provide updated information as soon research results become availablethe most effective ways to protect yourself and others against covid19 are toclean your hands frequently and thoroughly avoid touching your eyes mouth and nose cover your cough with the bend of elbow or tissue if a tissue is used discard it immediately and wash your handsmaintain a distance of at least 1 metre from others ", + "https://www.who.int/", + "TRUE", + 0.15757575757575756, + 142 + ], + [ + "A US coronavirus outbreak is almost inevitable. Here's how you can prepare", + "the cdc has said we need to prepare for a widespread covid19 outbreak how with novel coronavirus outbreaks popping up throughout the world us health officials on tuesday feb 25 advised the american public to prepare for an epidemic in which the virus rapidly spreads to many people within a short window of timenows the time for businesses hospitals community schools and everyday people to begin preparing dr nancy messonnier the director of the national center for immunization and respiratory diseases at the centers for disease control and prevention cdc said in a news conference held feb 25 with no vaccine or treatment available to combat these infections americans must be prepared to take other precautions to protect themselves and their communities from the virus she saidif were not able to hold the line in the next week or two youre going to start seeing a lot more cases said dr george rutherford a professor of epidemiology and biostatistics at the university of california san francisco but what can you do personally to prepare for an impending viral outbreak live science talked to several experts about how to prepare for coronavirus in the us here are some tipspractice good hygiene and health habitswash your hands often and thoroughly with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer with at least 60 to 95 alcoholcover your coughs and sneezes with an elbow sleeve or tissue avoid touching your eyes nose or mouth as you can pick up the virus that way clean frequently touched surfaces and objects like doorknobs and countertops evidence suggests that disinfectants with 62 to 71 ethanol 05 hydrogen peroxide or 01 sodium hypochlorite bleach can efficiently inactivate coronaviruses within a minute though its not yet known how the new coronavirus reacts to these products live science previously reportedget the flu shot if you havent already although the seasonal flu vaccine cannot protect you from covid19 directly you may be more likely to develop severe pneumonia if you contract both diseases simultaneously the new york times reported by avoiding the flu you may also avoid making a trip to the doctor in the middle of a covid19 epidemic when health care workers may be overwhelmed with other patients be prepared to stay hometalk with your employer about what the companys workfromhome and sick leave policy might be in the event of an outbreakschools may be closed in your area during an outbreak ask your childs school local school board or health department about how much advance notice there might be preceding a closure plan for how you will handle child care if schools and day care centers are closedlarge group gatherings may be canceled including concerts religious services and public events keep up with local announcements to find out about those cancellationsif you or someone in your household regularly takes prescription drugs it may be wise to ask your health care and insurance providers about procuring an emergency supplymake a plan for how to care for those at greater risk of serious illness and hospitalization such as those over 65 years old and those with preexisting health conditions also have a backup plan for who will care for your dependents if you get sick personally make sure you have reasonable amounts of groceries and other basic household necessities such as laundry detergent however its a balance on the one hand your chance of exposure will be minimal if you stay home but if the cost of that is runs on grocery stores and having nothing available thats a problem rutherford saidcheck in with your neighbors and loved ones talk with your neighbors to check in on their health status and see how you can help each other if one of you is home sick or caring for others share the newest information from local health authorities and make sure others are up to datewhat to do if you or a household member has symptoms of covid19if you are experiencing high fever weakness lethargy or shortness of breath or have underlying conditions you should seek medical attention at the nearest hospital according to dr amesh adalja an infectious disease expert at the johns hopkins center for health security the older you are the shorter the fuse you should have for seeking care rutherford added infants should also be taken to a health care center if they have a fever or are breathing rapidly\nhealth care centers may establish triage tents or separate entrances for those with suspected covid19 infections adalja said it may be wise to call ahead to learn if this is the case and what you should do when you get to the hospitalif you live with an infected person you may be asked to voluntarily quarantine yourself at home to prevent the possible spread of the infection to others according to the seattle public health insiderif you have to leave your home to seek medical care for example wearing a medical face mask can help reduce your chance of infecting others if you dont have a mask make sure to cover your coughs and sneezes with an elbow sleeve or tissuewhat to do if you are healthy but have to go outside in an affected area wearing a standard medical mask cant protect you from covid19 as they are not designed to lock out viral particles live science previously reported however if you suspect you may have been exposed to the virus you might consider wearing a mask as a courtesy to others in crowded spaces creating distance between yourself and others can help reduce your risk of persontoperson infection according to the seattle public health insider officials recommend standing at least 3 feet away from nearby persons but if an epidemic proves more severe the recommended distance may be increased", + "https://www.livescience.com/", + "TRUE", + 0.07630758130758131, + 971 + ], + [ + "The Coronavirus in America, the year ahead", + "the coronavirus is spreading from americas biggest cities to its suburbs and has begun encroaching on the nations rural regions the virus is believed to have infected millions of citizens and has killed more than 34000yet president trump this week proposed guidelines for reopening the economy and suggested that a swath of the united states would soon resume something resembling normalcy for weeks now the administrations view of the crisis and our future has been rosier than that of its own medical advisers and of scientists generallyin truth it is not clear to anyone where this crisis is leading us more than 20 experts in public health medicine epidemiology and history shared their thoughts on the future during indepth interviews when can we emerge from our homes how long realistically before we have a treatment or vaccine how will we keep the virus at baysome felt that american ingenuity once fully engaged might well produce advances to ease the burdens the path forward depends on factors that are certainly difficult but doable they said a carefully staggered approach to reopening widespread testing and surveillance a treatment that works adequate resources for health care providers and eventually an effective vaccinestill it was impossible to avoid gloomy forecasts for the next year the scenario that mr trump has been unrolling at his daily press briefings that the lockdowns will end soon that a protective pill is almost at hand that football stadiums and restaurants will soon be full is a fantasy most experts said\nwe face a doleful future said dr harvey v fineberg a former president of the national academy of medicinehe and others foresaw an unhappy population trapped indoors for months with the most vulnerable possibly quarantined for far longer they worried that a vaccine would initially elude scientists that weary citizens would abandon restrictions despite the risks that the virus would be with us from now on\nmy optimistic side says the virus will ease off in the summer and a vaccine will arrive like the cavalry said dr william schaffner a preventive medicine specialist at vanderbilt university medical school but im learning to guard against my essentially optimistic naturemost experts believed that once the crisis was over the nation and its economy would revive quickly but there would be no escaping a period of intense painexactly how the pandemic will end depends in part on medical advances still to come it will also depend on how individual americans behave in the interim if we scrupulously protect ourselves and our loved ones more of us will live if we underestimate the virus it will find us\nmore americans may die than the white house admitscovid19 the illness caused by the coronavirus is arguably the leading cause of death in the united states right now the virus has killed more than 1800 americans almost every day since april 7 and the official toll may be an undercountby comparison heart disease typically kills 1774 americans a day and cancer kills 1641yes the coronavirus curves are plateauing there are fewer hospital admissions in new york the center of the epidemic and fewer covid19 patients in icus the daily death toll is still grim but no longer risingan epidemiological model produced by the white house originally predicted 100000 to 240000 deaths by midsummer another model by the university of washingtons institute for health metrics and evaluation now puts that figure at 60000while this is encouraging news it masks some significant concerns the institutes projection runs through aug 4 describing only the first wave of this epidemic without a vaccine the virus is expected to circulate for years and the death tally will rise over timethe gains to date were achieved only by shutting down the country a situation that cannot continue indefinitely the white houses phased plan for reopening will surely raise the death toll no matter how carefully it is executed the best hope is that fatalities can be held to a minimum\nreputable longerterm projections for how many americans will die vary but they are all grim various experts consulted by the centers for disease control and prevention in march predicted that the virus eventually could reach 48 percent to 65 percent of all americans with a fatality rate just under 1 percent and would kill up to 17 million of them if nothing were done to stop the spreada model by researchers at imperial college london cited by the president on march 30 predicted 22 million deaths in the united states by september under the same circumstancesby comparison about 420000 americans died in world war iithe limited data from china are even more discouraging its epidemic has been halted for the moment and virtually everyone infected in its first wave has died or recoveredchina has officially reported about 83000 cases and 4632 deaths which is a fatality rate of over 5 percent the trump administration has questioned the figures but has not produced more accurate onesfatality rates depend heavily on how overwhelmed hospitals get and what percentage of cases are tested chinas estimated death rate was 17 percent in the first week of january when wuhan was in chaos according to a center for evidencebased medicine report but only 07 percent by late februaryin this country hospitals in several cities including new york came to the brink of chaos officials in both wuhan and new york had to revise their death counts upward this week when they realized that many people had died at home of covid19 strokes heart attacks or other causes or because ambulances never came for them\nin fastmoving epidemics far more victims pour into hospitals or die at home than doctors can test at the same time the mildly ill or asymptomatic never get tested those two factors distort the true fatality rate in opposite ways if you dont know how many people are infected you dont know how deadly a virus is\nonly when tens of thousands of antibody tests are done will we know how many silent carriers there may be in the united states the cdc has suggested it might be 25 percent of those who test positive researchers in iceland said it might be double thatchina is also revising its own estimates in february a major study concluded that only 1 percent of cases in wuhan were asymptomatic new research says perhaps 60 percent were our knowledge gaps are still wide enough to make epidemiologists weepall models are just models dr anthony s fauci science adviser to the white house coronavirus task force has said when you get new data you change themthere may be good news buried in this inconsistency the virus may also be mutating to cause fewer symptoms in the movies viruses become more deadly in reality they usually become less so because asymptomatic strains reach more hosts even the 1918 spanish flu virus eventually faded into the seasonal h1n1 fluat the moment however we do not know exactly how transmissible or lethal the virus is but refrigerated trucks parked outside hospitals tell us all we need to know it is far worse than a bad flu seasonno one knows exactly what percentage of americans have been infected so far estimates have ranged from 3 percent to 10 percent but it is likely a safe bet that at least 300 million of us are still vulnerableuntil a vaccine or another protective measure emerges there is no scenario epidemiologists agreed in which it is safe for that many people to suddenly come out of hiding if americans pour back out in force all will appear quiet for perhaps three weeks\n\nthen the emergency rooms will get busy againtheres this magical thinking saying were all going to hunker down for a while and then the vaccine we need will be available said dr peter j hotez dean of the national school of tropical medicine at baylor college of medicinein his wildly popular march 19 article in medium coronavirus the hammer and the dance tomas pueyo correctly predicted the national lockdown which he called the hammer and said it would lead to a new phase which he called the dance in which essential parts of the economy could reopen including some schools and some factories with skeleton crewsevery epidemiological model envisions something like the dance each assumes the virus will blossom every time too many hosts emerge and force another lockdown then the cycle repeats on the models the curves of rising and falling deaths resemble a row of shark teethsurges are inevitable the models predict even when stadiums churches theaters bars and restaurants remain closed all travelers from abroad are quarantined for 14 days and domestic travel is tightly restricted to prevent highintensity areas from reinfecting lowintensity onesthe tighter the restrictions experts say the fewer the deaths and the longer the periods between lockdowns most models assume states will eventually do widespread temperature checks rapid testing and contact tracing as is routine in asiaeven the opening up america again guidelines mr trump issued on thursday have three levels of social distancing and recommend that vulnerable americans stay hidden the plan endorses testing isolation and contact tracing but does not specify how these measures will be paid for or how long it will take to put them in placeon friday none of that stopped the president from contradicting his own message by sending out tweets encouraging protesters in michigan minnesota and virginia to fight their states shutdownschina did not allow wuhan nanjing or other cities to reopen until intensive surveillance found zero new cases for 14 straight days the viruss incubation period compared with china or italy the united states is still a playgroundamericans can take domestic flights drive where they want and roam streets and parks despite restrictions everyone seems to know someone discreetly arranging play dates for children holding backyard barbecues or meeting people on dating appspartly as a result the country has seen up to 30000 new case infections each day people need to realize that its not safe to play poker wearing bandannas dr schaffner saideven with rigorous measures asian countries have had trouble keeping the virus under controlchina which has reported about 100 new infections per day recently closed all the countrys movie theaters again singapore has closed all schools and nonessential workplaces japan recently declared a state of emergency south korea has struggled at times too but on sunday reported only eight new cases the first singledigit increase in two monthsresolve to save lives a public health advocacy group run by dr thomas r frieden the former director of the cdc has published detailed and strict criteria for when the economy can reopen and when it must be closedreopening requires declining cases for 14 days the tracing of 90 percent of contacts an end to health care worker infections recuperation places for mild cases and many other hardtoreach goalswe need to reopen the faucet gradually not allow the floodgates to reopen dr frieden said this is a time to work to make that day come soonerimmunity will become a societal advantageimagine an america divided into two classes those who have recovered from infection with the coronavirus and presumably have some immunity to it and those who are still vulnerableit will be a frightening schism dr david nabarro a world health organization special envoy on covid19 predicted those with antibodies will be able to travel and work and the rest will be discriminated againstalready people with presumed immunity are very much in demand asked to donate their blood for antibodies and doing risky medical jobs fearlesslysoon the government will have to invent a way to certify who is truly immune a test for igg antibodies which are produced once immunity is established would make sense said dr daniel r lucey an expert on pandemics at georgetown universitys law school many companies are working on themdr fauci has said the white house was discussing certificates like those proposed in germany china uses cellphone qr codes linked to the owners personal details so others cannot borrow themthe california adultfilm industry pioneered a similar idea a decade ago actors use a cellphone app to prove they have tested hiv negative in the last 14 days and producers can verify the information on a passwordprotected websiteas americans stuck in lockdown see their immune neighbors resuming their lives and perhaps even taking the jobs they lost it is not hard to imagine the enormous temptation to join them through selfinfection experts predicted younger citizens in particular will calculate that risking a serious illness may still be better than impoverishment and isolationmy daughter who is a harvard economist keeps telling me her age group needs to have covid19 parties to develop immunity and keep the economy going said dr michele barry who directs the center for innovation in global health at stanford universitythe comment she explained later was meant in jest still it has happened beforein the 1980s cuba successfully contained its small aids epidemic by brutally forcing everyone who tested positive into isolation camps inside however the residents had their own bungalows food medical care salaries theater troupes and art classesdozens of cubas homeless youths infected themselves through sex or blood injections to get in said dr jorge pérez ávila an aids specialist who is cubas version of dr fauci many died before antiretroviral therapy was introducedit would be a gamble for american youth too the obese and immunocompromised are clearly at risk but even slim healthy young americans have died of covid19the virus can be kept in check but only with expanded resourcesthe next two years will proceed in fits and starts experts said as more immune people get back to work more of the economy will recoverbut if too many people get infected at once new lockdowns will become inevitable to avoid that widespread testing will be imperativedr fauci has said the virus will tell us when its safe he means that once a national baseline of hundreds of thousands of daily tests is established across the nation any viral spread can be spotted when the percentage of positive results risesdetecting rising fevers as they are mapped by kinsas smart thermometers may give an earlier signal dr schaffner saidbut diagnostic testing has been troubled from the beginning despite assurances from the white house doctors and patients continue to complain of delays and shortagesto keep the virus in check several experts insisted the country also must start isolating all the ill including mild casesin this country patients who test positive are asked to stay in their homes but keep away from their familiestelevision news has been filled with recuperating personalities like cnns chris cuomo sweating alone in his basement while his wife left food atop the stairs his children waved and the dogs hung backbut even mr cuomo ended up illustrating why the who strongly opposes home isolation on wednesday he revealed that his wife had the virusif i was forced to select only one intervention it would be the rapid isolation of all cases said dr bruce aylward who led the who observer team to chinain china anyone testing positive no matter how mild their symptoms was required to immediately enter an infirmarystyle hospital often set up in a gymnasium or community center outfitted with oxygen tanks and ct scannersthere they recuperated under the eyes of nurses that reduced the risk to families and being with other victims relieved some patients fears nurses even led dance and exercise classes to raise spirits and help victims clear their lungs and keep their muscle tonestill experts were divided on the idea of such wards dr fineberg cowrote a new york times oped article calling for mandatory but humane quarantine processesby contrast marc lipsitch an epidemiologist at the harvard th chan school of public health opposed the idea saying i dont trust our government to remove people from their families by forceultimately suppressing a virus requires testing all the contacts of every known case but the united states is far short of that goalsomeone working in a restaurant or factory may have dozens or even hundreds of contacts in chinas sichuan province for example each known case had an average of 45 contactsthe cdc has about 600 contact tracers and until recently state and local health departments employed about 1600 mostly for tracing syphilis and tuberculosis caseschina hired and trained 9000 in wuhan alone dr frieden recently estimated that the united states will need at least 300000even though limited human trials of three candidates two here and one in china have already begun dr fauci has repeatedly said that any effort to make a vaccine will take at least a year to 18 monthsall the experts familiar with vaccine production agreed that even that timeline was optimistic dr paul offit a vaccinologist at the childrens hospital of philadelphia noted that the record is four years for the mumps vaccineresearchers differed sharply over what should be done to speed the process modern biotechnology techniques using rna or dna platforms make it possible to develop candidate vaccines faster than ever beforebut clinical trials take time in part because there is no way to rush the production of antibodies in the human bodyalso for unclear reasons some previous vaccine candidates against coronaviruses like sars have triggered antibodydependent enhancement which makes recipients more susceptible to infection rather than less in the past vaccines against hiv and dengue have unexpectedly done the samea new vaccine is usually first tested in fewer than 100 young healthy volunteers if it appears safe and produces antibodies thousands more volunteers in this case probably frontline workers at the highest risk will get either it or a placebo in what is called a phase 3 trialit is possible to speed up that process with challenge trials scientists vaccinate small numbers of volunteers wait until they develop antibodies and then challenge them with a deliberate infection to see if the vaccine protects themchallenge trials are used only when a disease is completely curable such as malaria or typhoid fever normally it is ethically unthinkable to challenge subjects with a disease with no cure such as covid19but in these abnormal times several experts argued that putting a few americans at high risk for fast results could be more ethical than leaving millions at risk for yearsfewer get harmed if you do a challenge trial in a few people than if you do a phase 3 trial in thousands said dr lipsitch who recently published a paper advocating challenge trials in the journal of infectious diseases almost immediately he said he heard from volunteersothers were deeply uncomfortable with that idea i think its very unethical but i can see how we might do it said dr luceythe hidden danger of challenge trials vaccinologists explained is that they recruit too few volunteers to show whether a vaccine creates enhancement since it may be a rare but dangerous problemchallenge trials wont give you an answer on safety said michael t osterholm director of the university of minnesotas center for infectious disease research and policy it may be a big problemdr w ian lipkin a virologist at columbia universitys mailman school of public health suggested an alternative strategy pick at least two vaccine candidates briefly test them in humans and do challenge trials in monkeys start making the winner immediately even while widening the human testing to look for hidden problemsas arduous as testing a vaccine is producing hundreds of millions of doses is even tougher experts said\nmost american vaccine plants produce only about 5 million to 10 million doses a year needed largely by the 4 million babies born and 4 million people who reach age 65 annually said dr r gordon douglas jr a former president of mercks vaccine divisionbut if a vaccine is invented the united states could need 300 million doses or 600 million if two shots are required and just as many syringes\npeople have to start thinking big dr douglas said with that volume youve got to start cranking it out pretty soonflu vaccine plants are large but those that grow the vaccines in chicken eggs are not suitable for modern vaccines which grow in cell broths he saideuropean countries have plants but will need them for their own citizens china has a large vaccine industry and may be able to expand it over the coming months it might be able to make vaccines for the united states experts said but captive customers must pay whatever price the seller asks and the safety and efficacy standards of some chinese companies are imperfectindia and brazil also have large vaccine industries if the virus moves rapidly through their crowded populations they may lose millions of citizens but achieve widespread herd immunity well before the united states does in that case they might have spare vaccine plant capacityalternatively suggested arthur m silverstein a retired medical historian at the johns hopkins school of medicine the government might take over and sterilize existing liquor or beer plants which have large fermentation vatsany distillery could be converted he saidtreatments are likely to arrive firstin the short term experts were more optimistic about treatments than vaccines several felt that socalled convalescent serum could workthe basic technique has been used for over a century blood is drawn from people who have recovered from a disease then filtered to remove everything but the antibodies the antibodyrich immunoglobulin is injected into patientsthe obstacle is that there are now relatively few survivors to harvest blood fromin the prevaccine era antibodies were farmed in horses and sheep but that process was hard to keep sterile and animal proteins sometimes triggered allergic reactionsthe modern alternative is monoclonal antibodies these treatment regimens which recently came very close to conquering the ebola epidemic in eastern congo are the most likely shortterm game changer experts saidthe most effective antibodies are chosen and the genes that produce them are spliced into a benign virus that will grow in a cellular brothbut as with vaccines growing and purifying monoclonal antibodies takes time in theory with enough production they could be used not just to save lives but to protect frontline workersantibodies can last for weeks before breaking down how long depends on many factors dr silverstein noted and they cannot kill virus that is already hidden inside cellshaving a daily preventive pill would be an even better solution because pills can be synthesized in factories far faster than vaccines or antibodies can be grown and purifiedbut even if one were invented production would have to ramp up until it was as ubiquitous as aspirin so 300 million americans could take it daily\nmr trump has mentioned hydroxychloroquine and azithromycin so often that his news conferences sound like infomercials but all the experts agreed with dr fauci that no decision should be made until clinical trials are completedsome recalled that in the 1950s inadequate testing of thalidomide caused thousands of children to be born with malformed limbs more than one hydroxychloroquine study has been halted after patients who got high doses developed abnormal heart rhythmsi doubt anyone will tolerate high doses and there are vision issues if it accumulates dr barry said others were just as harsh especially about mr trumps idea of combining a chloroquine with azithromycinits total nonsense said dr luciana borio a former director of medical and biodefense preparedness at the national security council i told my family if i get covid do not give me this combochloroquine might protect patients hospitalized with pneumonia against lethal cytokine storms because it damps down immune reactions several doctors said\nthat does not however make it useful for preventing infections as mr trump has implied it would be because it has no known antiviral propertiesseveral antivirals including remdesivir favipiravir and baloxavir are being tested against the coronavirus the latter two are flu drugstrials of various combinations in china are set to issue results by next month but they will be small and possibly inconclusive because doctors there ran out of patients to test end dates for most trials in the united states are not yet setgoodbye america firstpreviously unthinkable societal changes have taken place already schools and business have closed in every state and tens of millions have applied for unemployment taxes and mortgage payments are delayed and foreclosures forbiddenstimulus checks intended to offset the crisis began landing in checking accounts this week making much of america temporarily a welfare state food banks are opening across the country and huge lines have formeda public health crisis of this magnitude requires international cooperation on a scale not seen in decades yet mr trump is moving to defund the who the only organization capable of coordinating such a responseand he spent most of this year antagonizing china which now has the worlds most powerful functioning economy and may become the dominant supplier of drugs and vaccines china has used the pandemic to extend its global influence and says it has sent medical gear and equipment to nearly 120 countries\na major recipient is the united states through project airbridge an aircargo operation overseen by mr trumps soninlaw jared kushnerthis is not a world in which america first is a viable strategy several experts notedif president trump cares about stepping up the public health efforts here he should look for avenues to collaborate with china and stop the insults said nicholas mulder an economic historian at cornell university he has called mr kushners project lendlease in reverse a reference to american military aid to other countries during world war iidr osterholm was even blunter if we alienate the chinese with our rhetoric i think it will come back to bite us he saidwhat if they come up with the first vaccine they have a choice about who they sell it to are we top of the list why would we beonce the pandemic has passed the national recovery may be swift the economy rebounded after both world wars dr mulder notedthe psychological fallout will be harder to gauge the isolation and poverty caused by a long shutdown may drive up rates of domestic abuse depression and suicideeven political perspectives may shift initially the virus heavily hit democratic cities like seattle new york and detroit but as it spreads through the country it will spare no oneeven voters in republicanleaning states who do not blame mr trump for americas lack of preparedness or for limiting access to health insurance may change their minds if they see friends and relatives diein one of the most provocative analyses in his followup article coronavirus out of many one mr pueyo analyzed medicare and census data on age and obesity in states that recently resisted shutdowns and counties that voted republican in 2016he calculated that those voters could be 30 percent more likely to die of the virusin the periods after both wars dr mulder noted society and incomes became more equal funds created for veterans and widows pensions led to social safety nets measures like the gi bill and va home loans were adopted unions grew stronger and tax benefits for the wealthy witheredif a vaccine saves lives many americans may become less suspicious of conventional medicine and more accepting of science in general including climate change experts saidthe blue skies that have shone above american cities during this lockdown era could even become permanent", + "https://www.nytimes.com/", + "TRUE", + 0.08737845418470418, + 4557 + ], + [ + "Is there a vaccine available?", + "no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works", + "https://www.health.harvard.edu/", + "TRUE", + 0.22000000000000003, + 35 + ], + [ + "After Recovery From the Coronavirus, Most People Carry Antibodies", + "a new study adds to evidence of immunity among those who have already been exposed to the pathogena new study offers a glimmer of hope in the grim fight against the coronavirus nearly everyone who has had the disease regardless of age sex or severity of illness makes antibodies to the virusthe study posted online on tuesday but not yet reviewed by experts also hints that anyone who has recovered from infection may safely return to work although it is unclear how long their protection might lastthis is very good news said angela rasmussen a virologist at columbia university in new york who was not involved with the workantibodies are immune molecules produced by the body to fight pathogens the presence of antibodies in the blood typically confers at least some protection against the invaderhealth officials in several countries including the united states have hung their hopes on tests that identify coronavirus antibodies to decide who is immune and can go back to work people who are immune could replace vulnerable individuals especially in hightransmission settings like hospitals building what researchers call shield immunity in the populationbut most antibody tests are fraught with false positives picking up antibody signals where there are none the new study relied on a test developed by florian krammer a virologist at the icahn school of medicine at mount sinai that has a less than 1 percent chance of producing falsepositive resultsseveral small studies have given reason to hope that people who have had covid19 the illness caused by the coronavirus would gain some immunity for some period of time the new study is the largest by far with results from 1343 people in and around new york citythe study also eased a niggling worry that only some people only those who were severely ill for example might make antibodies in fact the level of antibodies did not differ by age or sex and even people who had only mild symptoms produced a healthy amounthaving antibodies is not the same as having immunity to the virus but in previous research dr krammers team has shown that antibody levels are closely linked with the ability to disarm the virus the key to immunityit really shows that most people do develop antibodies and that theres very good correlation between those antibodies and their capability to neutralize virus dr rasmussen saidresearchers at mount sinai tested people who signed up to be donors of convalescent plasma antibodies extracted from blood the project has enrolled more than 15000 people so far according to dr ania wajnberg who is leading the effortthe new study is an analysis of results of the first set of donors over all only 3 percent of these participants had been seen in the emergency department or had been hospitalized the remaining subjects had only mild or moderate symptomsto my knowledge this is the largest group of people described with mild disease dr wajnberg saidthe criteria for inclusion became more stringent as the team learned more about the coronavirus for example they initially required the potential donors to be free of symptoms for only three days but later extended that to 14 daysthe team tested 624 people who had tested positive for the virus and had recovered at first just 511 of them had high antibody levels 42 had low levels and 71 had none when 64 of the subjects with weak or no levels were retested more than a week later however all but three had at least some antibodies\nthat suggests the timing of testing for antibodies can greatly affect the results the researchers said we werent looking exactly at this but we had enough to say that 14 days is probably a little too early dr wajnberg saidthere was even a difference between levels at 20 days versus 24 days she said suggesting that the optimal time for an antibody test is well after symptoms begin what were telling people now is at least three weeks after symptom onset dr wajnberg saidbecause tests to diagnose coronavirus infection were unavailable to most people in new york city in march the researchers included another 719 people in their study who suspected they had covid19 based on symptoms and exposure to the virus but in whom the illness had not been diagnosedin this group the researchers found a different picture altogether the majority of these people 62 percent did not seem to have antibodiessome of them may have been tested too soon after their illness for antibodies to be detectable but many probably mistook influenza another viral infection or even allergies for covid19 dr wajnberg saidi think literally everybody in new york thinks theyve had it she said people shouldnt assume the fever they had in january was covid and theyre immuneother experts were more struck by the percentage of people who turned out to have antibodies even though the coronavirus had never been diagnosed in themthe number suggests that in cities like new york there are a tremendous number of undiagnosed infections said taia wang a viral immunologist at stanford universityan antibody survey conducted by new york state officials found that 20 percent of city residents had been infectedanother finding from the study that diagnostic pcr tests can be positive up to 28 days after the start of infection is also important dr wang said these tests look for genetic fragments not antibodies and suggest an active or waning infectionas far as known unknowns about sarscov2 this one really stands out she said we really need to know how long does it take the body to clear the virus how long are people contagious we dont know the answer to thatshe and other scientists said it was highly unlikely that a positive test so long after symptoms appeared represents infectious virus researchers in south korea recently announced for example that several suspected cases of reinfection were a result of pcr tests picking up remnants of dead virusgenetic material from the measles virus can show up in tests six months after the illness dr krammer noted and genetic fragments of ebola and zika viruses are known to persist even longer in the bodystill dr wang said until we do know its prudent for everyone to proceed as if a positive pcr test means contagious virus the centers for disease control and prevention recommends that people isolate for 10 days after the onset of symptoms but that period may need to be longerexperts said the next step would be to confirm that the presence of antibodies in the blood means protection from the coronavirus the body depends on a subset of antibodies called neutralizing antibodies to shield it from the coronavirusthe question now becomes to what extent those are neutralizing antibodies and whether that leads to protection from infection all of which we should presume are yes said sean whelan a virologist at washington university in st louisin dr krammers previous work to be published in the journal nature medicine his team tested whether the antibodies have neutralizing power the researchers found that in about a dozen people including some who had mild symptoms the level of antibodies in the blood corresponded to the level of neutralizing activity\nso everyone who makes antibodies is likely to have some immunity to the virus dr krammer said im fairly confident about this another way to assess immunity would be to show that purified antibodies can prevent coronavirus infection in an animalbut perhaps the most urgent question especially as research on vaccines ramps up is how long that immunity might lasteven if the levels of antibodies fall over time to undetectable levels people may still retain some protection from the coronavirusimmune cells called t cells are valuable soldiers in fighting pathogens and at least one study has shown that the coronavirus provokes a strong response from these cells socalled memory cells or b cells may also kick into gear when they encounter the coronavirus churning out more antibodiesultimately however the answer to how long immunity lasts will come only with patienceunless someone has come up with some way to speed that process up dr rasmussen said the only way to tell that is by following these patients over time", + "https://www.nytimes.com/", + "TRUE", + 0.0963110269360269, + 1368 + ], + [ + "The escalating number of victims across Europe proves that COVID-19 is a new and dangerous virus, not merely a recurring strain of seasonal influenza", + "every generation of europeans have faced a big challenge or threat our generations is covid19 what makes covid19 such a threat is how infectious it is and how it preys on the most vulnerable the old and those with health issues people worldwide have recognised the exceptional nature of this virus with the world health organisation declaring a pandemic the eu has responded by putting citizens health and security first working closely with member states to coordinate and share information as well as using every tool at its disposal to slow the spread and find solutions some examples of this response include organising paneu procurement of personal protective equipment for hospitals and health professionals giving financial support to researchers and companies to find a vaccine and helping countries prepare themselves for the economic consequences of what we have done to contain the disease", + "https://ec.europa.eu/", + "TRUE", + 0.08333333333333331, + 143 + ], + [ + "What the structure of the coronavirus can tell us", + "researchers hope that a new visualization of the architecture of sarscov2 will show them how to defeat itlike any virus the novel coronavirus is a germ that tries to burrow into a cell and turn it into a virusreplicating factory if it succeeds it can produce an infection in this case a respiratory disease the type of cells a virus targets and how it enters them depend on how the virus is builtthis virus gets its family name from a telltale series of spikes tens or even hundreds of them that circle its bloblike core like a crown or corona virologists know from studying its close cousins viruses that cause sars and mers that the spikes interact with receptors on cells like keys in locks enabling the virus to entervery recent innovations in imaging techniques enabled researchers to peer so closely at the novel viruss spikes that they created a model of one right down to the atoms and are beginning to reveal its secretsit has a clever disguisesugars dot the outside of the spike just like sugars dot the outside of regular human cells said david veesler a structural virologist at the university of washington who led a team that visualized the sarscov2 spike and published a march 19 paper on its architecturethis carbohydrate camouflage makes the virus more difficult for the human immune system to recognizet seems to attach by opening and closingeach spike is made of three identical proteins twisted together veesler saidhis team captured images of the ends of these proteins opening in the spikes caplike apex before and during the attempt to bind to a receptor studies on sars and merscausing viruses indicate that all three proteins in a spike have to open for it to gain access to a cellexperts say a vaccine is at least a year away but theyre coming up with strategies nowone may be able to trigger antibodies that strike areas of the protein that are exposed when it opens said virologist vineet menachery who specializes in the study of coronaviruses at the university of texas medical branch in galvestonthe holy grail of vaccines veesler said would trigger antibodies that attack a spikes stem which is so similar to other coronaviruses that a single vaccine might protect against several strains instead of just oneone treatment avenue may be to block receptors so the spikes have nowhere to attachperhaps a concert of strategies could work together against these tiny invaders each 1000 times smaller than the cells they infect after all the natural human immune response plays defense in many ways at oncewhile we wait for a vaccine we have ways to defeat itsoap bar soap liquid soap laundry detergent and such is virus kryptonite which is why the message wash your hands is everywhere but menachery said heat and ultraviolet light are two other ways to neutralize a coronavirus and each of these methods works in a different wayafter about 20 seconds of contact soap breaks apart the fragile fatty membrane that holds the virus together disinfecting agents with at least 60 percent alcohol puncture and destroy the virus in a similar wayextreme heat near boiling causes the proteins in the spikes to unravel and lose their shape deactivating them a human fever is not hot enough to do this its unclear what effect warm summer weather will haveand ultraviolet light has been used as a disinfectant for a century in hospitals and water supplies it shatters the genetic material inside viruses bacteria and other microbes however it doesnt always work uniformly menachery said and disinfecting uv light cant be used with people around because it damages human cells\n", + "https://www.washingtonpost.com/", + "TRUE", + 0.04264696656001003, + 609 + ], + [ + "The COVID-19 pandemic could last for 2 years, according to US experts", + "a new report from researchers at the center for infectious disease research and policy lays out three scenarios for how the coronavirus pandemic will progress in the coming monthsusing the 1918 spanish flu pandemic as a model experts suggested the covid19 outbreak will last between 18 and 24 monthsthe pandemic likely wont be halted until 60 to 70 of the population is immune the report authors saidthe worst of the three scenarios they outline involves a second larger wave of coronavirus infections this fall and winterthe coronavirus pandemic may last until 2022 according to a report published thursdaya group of researchers at the center for infectious disease research and policy cidrap suggest that the covid19 outbreak wont end until 60 to 70 of the human population is immune to the virus which may take between 18 and 24 monthsthe experts laid out three scenarios for how the coronavirus pandemic will progress the worstcase scenario among these three projections involves a second larger wave of infections this fall and winter the report authors suggest this is the most likely outcome and states need to prepare for itthis things not going to stop until it infects 60 to 70 of people michael osterholm report author and the director of cidrap told cnn the idea that this is going to be done soon defies microbiologythere is no crystal ball osterholm and his colleagues examined multiple models that predict future coronavirus impacts research about how well covid19 spreads between people and data from past pandemics to reach their conclusionsthe coronavirus outbreak shares important similarities to a pandemic influenza like the 1918 spanish flu which infected 500 million people worldwide which makes this type of flu a solid model for comparisonboth a pandemic influenza and the covid19 virus spread via droplets we emit when coughing or sneezing and can pass between infected people showing no symptoms known as asymptomatic carriers but even though pandemic influenza may be a good model to try and predict how the covid19 will outbreak will play out experts still arent sure what to expectthats because the coronavirus spreads even more easily than the flu does an average person with the coronavirus infects between 2 and 25 new people a metric known as the virus r0 value seasonal influenzas ro value is about 13there is no crystal ball to tell us what the future holds and what the end game for controlling this pandemic will be the report authors wrotethats why osterholms group came up with three possible scenarios about what might be coming after this first wave of coronavirus infections endsscenario 1 the summer months and beyond brings a series of repetitive smaller waves in this projection the first covid19 waves is followed by a series of repetitive smaller waves that occur through the summer those waves which come with a lower number of infections with persist over a one to twoyear period gradually diminishing sometime in 2021the authors noted that where those smaller waves occur could depend on what measures certain geographic areas have in place to flatten the curve including social distancing and nonessential business closures and how those measures are rolled backscenario 2 a second larger wave of infections hits this fall and winter the worst of the three scenarios and the most likely is one in which the first wave is followed by a larger wave in the fall or winter of 2020 and one or more smaller subsequent waves in 2021this mirrors what happened during the 1918 spanish influenza pandemic and the 2009 h1n1 flua second wave with more infections would require the us and other countries to reinstitute mitigation measures like lockdowns the authors wrotestates territories and tribal health authorities should plan for the worstcase scenario they addedscenario 3 the world experiences a slow burn of ongoing transmission the final scenario suggests that this first wave of coronavirus infections is the only wave in the coming months the covid19 pandemic would shift into a slow burn of ongoing transmission and new caseswhile this third pattern was not seen with past influenza pandemics it remains a possibility for covid19 the experts reportedthis possibility would mean us states likely wouldnt need to lockdown again although cases and deaths would continue to occureach of these projections could be influenced by the development of a vaccinebut any help a vaccine could provide during the pandemic will be a long time coming the report authors said the earliest a vaccine is expected is 2021and we dont know what kinds of challenges could arise during vaccine development that could delay the timeline they added", + "https://www.weforum.org/", + "TRUE", + 0.019269896769896766, + 764 + ], + [ + "As COVID-19 symptoms mimic those of common cold and flu viruses, how do you know when you should seek testing or special care?", + "the symptoms of covid19including fever cough and difficulty breathingare similar to those of other cold and flu viruses at this moment the decision to test for covid19 in the us depends on both the patients clinical status and what is happening in a particular geographic location a history of travel especially international travel to one of the most affected areas is still important but this is evolving as the outbreak develops domestically close contact with someone who traveled to those areas or with someone who has been diagnosed with covid19 are other considerationsthe evaluation of cold and flu symptoms will often include testing for routine respiratory viruses as well especially influenza in general if you do not have symptoms and would not ordinarily seek medical care based on how you feel now you do not need evaluation or testing for covid19", + "https://www.globalhealthnow.org/", + "TRUE", + -0.01602564102564102, + 141 + ], + [ + "What Is Coronavirus?", + "covid19 is the disease caused by the new coronavirus that emerged in china in december 2019covid19 symptoms include cough fever shortness of breath muscle aches sore throat unexplained loss of taste or smell diarrhea and headache covid19 can be severe and some cases have caused deaththe new coronavirus can be spread from person to person it is diagnosed with a laboratory test\nthere is no coronavirus vaccine yet prevention involves frequent handwashing coughing into the bend of your elbow staying home when you are sick and wearing a cloth face covering if you cant practice social distancing coronaviruses are a type of virus there are many different kinds and some cause disease a newly identified type has caused a recent outbreak of respiratory illness now called covid19how does the new coronavirus spread\nas of now researchers know that the new coronavirus is spread through droplets released into the air when an infected person coughs or sneezes the droplets generally do not travel more than a few feet and they fall to the ground or onto surfaces in a few seconds this is why social and physical distancing is effective in preventing the spreadhow did this new coronavirus spread to humanscovid19 appeared in wuhan a city in china in december 2019 although health officials are still tracing the exact source of this new coronavirus early hypotheses thought it may be linked to a seafood market in wuhan china some people who visited the market developed viral pneumonia caused by the new coronavirus a study that came out on jan 25 2020 notes that the individual with the first reported case became ill on dec 1 2019 and had no link to the seafood market investigations are ongoing as to how this virus originated and spread what is the incubation period for covid19it appears that symptoms are showing up in people within 14 days of exposure to the viruswhat are symptoms of covid19covid19 symptoms includecoughfevershortness of breath muscle aches sore throatunexplained loss of taste or smelldiarrheaheadachein rare cases covid19 can lead to severe respiratory problems kidney failure or deathif you have a fever or any kind of respiratory difficulty such as coughing or shortness of breath call your doctor or a health care provider and explain your symptoms over the phone before going to the doctors office urgent care facility or emergency room here are suggestions if you feel sick and are concerned you might have covid19if you have a medical emergency such as severe shortness of breath call 911 and let them know about your symptomslearn more about covid19 symptomshow is covid19 diagnoseddiagnosis may be difficult with only a physical exam because mild cases of covid19 may appear similar to the flu or a bad cold a laboratory test can confirm the diagnosis learn more about covid19 testinghow is covid19 treatedas of now there is not a specific treatment for the virus people who become sick from covid19 should be treated with supportive measures those that relieve symptoms for severe cases there may be additional options for treatment including research drugs and therapeuticsdoes covid19 cause deathas of may 7 2020 264111 deaths have been attributed to covid19 however 1250579 people have recovered from the illness this information comes from the coronavirus covid19 global cases map developed by the johns hopkins center for systems science and engineeringis this coronavirus different from sarssars stands for severe acute respiratory syndrome in 2003 an outbreak of sars started in china and spread to other countries before ending in 2004 the virus that causes covid19 is similar to the one that caused the 2003 sars outbreak both are types of coronaviruses much is still unknown but covid19 seems to spread faster than the 2003 sars and also may cause less severe illnesshow do you protect yourself from this coronavirusits crucial to practice good hygiene respiratory etiquette and social and physical distancing read more about ways to protect yourselfabout coronaviruses coronaviruses are common in different animals rarely an animal coronavirus can infect humansthere are many different kinds of coronaviruses some of them can cause colds or other mild respiratory nose throat lung illnessesother coronaviruses can cause more serious diseases including severe acute respiratory syndrome sars and middle east respiratory syndrome mers\ncoronaviruses are named for their appearance under the microscope the viruses look like they are covered with pointed structures that surround them like a corona or crown", + "https://www.hopkinsmedicine.org/", + "TRUE", + 0.0571650951787938, + 731 + ], + [ + "In the News: Coronavirus and “Alternative” Treatments", + "coronaviruses are a large family of viruses some cause illness in people and others cause illness in certain types of animals severe acute respiratory syndrome coronavirus 2 sarscov2 is the new strain of coronavirus that causes coronavirus disease 2019 or covid19 sometimes coronaviruses that infect animals can evolve and make people sick and become a new human coronavirus three recent examples of this are sarscov2 sarscov and merscovthe media has reported that some people are seeking alternative remedies to prevent or to treat covid19 some of these purported remedies include herbal therapies teas essential oils tinctures and silver products such as colloidal silver there is no scientific evidence that any of these alternative remedies can prevent or cure the illness caused by covid19 in fact some of them may not be safe to consume12 its important to understand that although many herbal or dietary supplements and some prescription drugs come from natural sources natural does not always mean that its a safer or better option for your health for tips on how to find accurate reliable information about health visit our know the science resources while scientists at nih and elsewhere are evaluating candidate therapies and vaccines to treat and prevent the novel coronavirus currently there are no treatments or vaccines for covid19 infection approved by the us food and drug administration researchers are studying new drugs and drugs that are already approved for other health conditions as possible treatments for covid19 the best way to prevent infection is to avoid exposure to the virus the centers for disease control and prevention cdc also recommends everyday preventive actions to help prevent the spread of this and other respiratory viruses including the followingclean your hands oftenavoid close contactcover your mouth and nose with a cloth face cover when around otherscover coughs and sneezesclean and disinfect frequently touched surfacesfollow the instructions of your state and local authorities and current guidance regarding social distancing and other measures to reduce the spread of coronavirusif you have a fever or cough you might have covid19 most people have mild illness and are able to recover at home if you have traveled to high risk countries or regions or were in close contact with someone with covid19 or think you may have been exposed to covid19 contact your health care provider immediately keep track of your symptomsif you have an emergency warning sign including trouble breathing get medical attention right away", + "https://www.nccih.nih.gov/", + "TRUE", + 0.13643939393939392, + 405 + ], + [ + "U.S.-Ukraine Partnership to Reduce Biological Threats", + "the us embassy would like to set the record straight regarding disinformation spreading in some circles in ukraine that mirrors russian disinformation regarding the strong usukrainian partnership to reduce biological threatshere in ukraine the us department of defenses biological threat reduction program works with the ukrainian government to consolidate and secure pathogens and toxins of security concern in ukrainian government facilities while allowing for peaceful research and vaccine development we also work with our ukrainian partners to ensure ukraine can detect and report outbreaks caused by dangerous pathogens before they pose security or stability threatsour joint efforts help to ensure that dangerous pathogens do not fall into the wrong hands were proud to partner with the ministry of health state service of ukraine for food safety and consumer protection national academy of agrarian sciences and the ministry of defense to make us all saferanyone can learn more about these efforts on the us embassy website at httpsuausembassygovembassykyivsectionsofficesdefensethreatreductionofficebiologicalthreatreductionprogrammeanwhile the science and technology center in ukraine stcu an intergovernmental organization was established by international agreement in october 1993 the current parties to the stcu are azerbaijan the european union georgia moldova ukraine the united states and uzbekistanthe stcu seeks to advance global peace and prosperity through cooperative chemical biological radiological and nuclear cbrn risk mitigation by supporting civilian science and technology partnerships and collaboration that address global security threats and advance nonproliferationmore information about the stcu and its programs and projects can be found at httpwwwstcuint", + "https://ua.usembassy.gov/", + "TRUE", + 0.06078431372549019, + 244 + ], + [ + "Summer weather could help fight coronavirus spread but won’t halt the pandemic", + "new research has bolstered the hypothesis that summers heat humidity abundant sunshine and opportunities for people to get outside should combine to inhibit though certainly not halt the spread of the coronavirusbut infectiousdisease experts add a cautionary note any benefit from summer conditions would probably be lost if people mistakenly believe the virus cant spread in warm weather and abandon efforts that limit infections such as social distancingthe best way to think about weather is as a secondary factor here said mohammad jalali an assistant professor at harvard medical school who has researched how weather affects the spread of virusesthe effect of weather on the coronavirus has been the subject of extensive research in recent months and is acutely relevant as the northern hemisphere edges closer to memorial day and the unofficial start of summer states and cities are terminating or modifying shutdown orders and millions of students trying to take classes remotely will soon see their disrupted school year come to an endin this transitional moment many people who have been in quarantine will probably find themselves in places beaches pools parks recreational sites that historically have been viewed as benign but now carry some hardtocalculate risk of viral transmissionswimming in a chlorinated pool should be safe if people maintain the sixfoot social distancing rule according to new guidelines from the centers for disease control and prevention the cdc encouraged the use of facial coverings but cautioned they should not be worn in the water because when wet they can make it difficult to breathethere is no evidence that the virus that causes covid19 can be spread to people through the water in pools hot tubs spas or water play areas proper operation and maintenance including disinfection with chlorine and bromine of these facilities should inactivate the virus in the water cdc spokeswoman kate grusich said in an emailbut people can still transmit the virus through close personal interactions in any conditions inside or outside in sun or rain the global picture reveals that the coronavirus is capable of spreading in any climate warmweather countries including singapore indonesia brazil and ecuador are enduring significant viral spreadenvironmental conditions are just one more element of the equation and not by far the most relevant covid19 is spreading fiercely around the world in all kinds of weather conditions tomas molina the chief meteorologist at spains televisió de catalunya and a professor at the university of barcelona said in an email molina examined the course of the outbreak in barcelona and found a relationship between higher temperatures and lower virus transmission rates\nin recent weeks numerous research studies based on laboratory experiments computer models and sophisticated statistical analyses have supported the view that the coronavirus will be inhibited by summer weathera new working paper and database put together by researchers at harvard medical school massachusetts institute of technology and other institutions examines a host of weather conditions from temperature and relative humidity to precipitation at 3739 locations worldwide to try to determine the relative covid19 risk due to weather they found that average temperatures above 77 degrees are associated with a reduction in the viruss transmissioneach additional 18degree temperature increase above that level was associated with an additional 31 percent reduction in the viruss reproduction number called r0 and pronounced r naught that is the average number of new infections generated by each infected person when the r0 drops below 1 an epidemic begins to wane although it doesnt happen overnighthowever like previous studies the research from harvard and mit found that the transition to summer weather wont be sufficient to completely contain the viruss transmissionother coronaviruses such as sars and mers have exhibited seasonality ebbing during periods of warmer weather much like the seasonal flu many experts have suspected for months that the novel coronavirus might do the samethe seasonal factors in virus transmission work the other way around too a decline in transmission in summer would probably be followed by a seasonal increase in infections in the fallthere are many factors in the seasonal pattern the virus degrades outside a host cell and does so more rapidly when exposed to heat or ultraviolet radiation from the sunhumidity plays a complex role research indicates that viruses easily spread in winter in the dry air of climatecontrolled spaces by contrast higher humidity makes respiratory droplets the most common vector of virus drop to the ground or floor more quickly limiting airborne transmissioneven in summer most people live their lives indoors and much of what happens this summer will pivot on how carefully people maintain social distancing and limit contact with other people in communities that ease the shutdown restrictions some people will return to office buildings and residences viral transmission has been common in confined spaces where people are in close contactanother new study from researchers at princeton university and the national institutes of health found that our lack of immunity to the coronavirus will overwhelm any tempering influence that warm humid weather may have on the viruss spread only in future years if the virus transitions to an endemic illness that flares up in smaller outbreaks each year will climate be a more important factor the study foundresearch published in recent days looking at how human speech creates small respiratory droplets that can linger in the air for many minutes has raised anew the question of how the virus spreads and whether some transmission is through these small aerosol droplets that remains unresolveddavid rubin director of policylab at childrens hospital of philadelphia and his colleagues have incorporated weather factors in the model they have developed showing when and where it will be relatively safe to ease some shutdown ordersclearly i believe weather is impacting it its just not impacting it enough to completely eliminate transmission rubin said thats why were still seeing cases in florida and texas and tennessee it seems to be preventing a big exponential rise in casesmultiple early studies provide evidence of statistical ties between temperature and humidity ranges and the geographic regions where this virus has thrived while none of these studies has been conclusive they all point to the same general possibility the pandemic could ease in parts of north america and europe during the summer months although it could come roaring back in the fallrich sorkin cofounder of jupiter intelligence a risk management company that is helping clients understand the effect of weather on the coronavirus said theres a certain element of geographyisdestiny here the countries with the largest outbreaks and highest mortality rates to date are all in cooler climates he saidtheres a strong pattern of weather characteristics influencing mortality he said but he added that government policies and other aspects of the virus are also importantthe trump administration has touted laboratory studies carried out at the us armys highlevel biosecurity laboratory at fort detrick md as revealing the viruss susceptibility to heat and sunlight the results revealed during an april 23 coronavirus task force news briefing largely matched other laboratory studies and the suspicions of some researchers by showing that the novel coronavirus like many other viruses does not survive as long on certain surfaces and in the air when exposed to high amounts of ultraviolet light and warm and humid conditionsbut david heymann a professor at the london school of hygiene tropical medicine said laboratory studies on the coronaviruss behavior under different weather conditions should be viewed with cautionlaboratory studies are just that and theyre not the real situation he said we still see it transmitting in most parts of the world even in tropical areasepidemiologists heymann said are looking at what is happening in real settings such as the clusters of cases in meatpacking plants and nursing homes both of which are confined spaces with people in close contact laboratory studies he said should follow such observations to test how best to protect people in those settings rather than having lab results lead directly to policies that may not reflect where and how people are getting sick in the real worldthats always been a disconnect between laboratories and epidemiologists he said", + "https://www.washingtonpost.com/", + "TRUE", + 0.12887595163457227, + 1349 + ], + [ + "Can the coronavirus be contained? Unknowns complicate response", + "china has ordered an unprecedented quarantine of more than 50 million people it has closed schools and shut down live animal markets airports across the globe are screening passengers coming from the worlds most populous countrybut three weeks after the new coronavirus emerged as a health crisis experts cant yet say whether these efforts will succeed at containing an infection that now threatens at least 15 countriessome early signs are discouraging six countries including china have confirmed humantohuman transmission of the infection those include four cases in germany connected to a single person a worrisome sign for containment of the disease cases in china continue to multiply and five million residents of wuhan where the virus originated have left the city some of them surely carrying the diseasebut so far the mortality rate is less than the rate of other severe respiratory coronaviruses in china where 5974 people are infected 132 have died through tuesday that is a high rate but far less than the fatality rate of sars and mers and countries like the united states that quickly began screening travelers isolating sick people and tracing their contacts have just a handful of cases there have been no fatalities outside chinapublic health officials said tuesday that they are grappling with a long list of unknowns that will determine how successful they are in limiting the toll of the widening outbreak those questions include how lethal the virus may be how contagious it is whether it is transmitted by people who are infected but show no symptoms and whether it can be largely contained in its country of originit is very striking how quickly the numbers are going up said trish perl chief of infectious diseases and geographic medicine at ut southwestern medical center who has fought other respiratory virus outbreaks including sars and mersas the numbers are going up do i think im concerned about the rapidity of it yes perl said do i think it may be difficult to control yes but in the context of a lot of unknownsexperts are not sure whether the rise in new cases means the virus is now widely circulating in china or whether the chinese are doing a better job of surveillance and testing or bothus health officials held a news conference tuesday to reassure a wary public that for now virtually no one here is in imminent dangeramericans should know that this is a potentially very serious public health threat but at this point americans should not worry for their own safety said secretary of health and human services alex azarthe new virus is not nearly as infectious as the measles virus which can live as long as two hours in the air after an infected person coughs or sneezes and it is not comparable to the threat posed by the seasonal flu which has killed at least 8200 people in the united states so far this seasonbut azar also acknowledged we dont yet know everything we need to know about this viruschina agreed tuesday to allow a world health organization team of experts into the country to study the coronavirus officials of the un agency said after a meeting between the organizations director general and chinese leader xi jinpingthe two sides agreed that who will send international experts to visit china as soon as possible to work with chinese counterparts on increasing understanding of the outbreak to guide global response efforts the statement saidit was unclear whether the team would include experts from the us centers for disease control and preventionbut several nations continued to pursue or consider evacuating their citizens from wuhan including france south korea morocco britain germany canada the netherlands and russiain the philippines immigration authorities temporarily suspended the issuance of visas for chinese nationals upon arrival immigration commissioner jaime morente said the move was designed to slow down the influx of group tours and prevent the spread of the virushong kong chief executive carrie lam announced dramatic measures to stem the flow of mainland chinese into the territory including the closure of railways ferries and crossborder tour buses flights to mainland china will be slashed by half and the hong kong government will stop issuing individual travel visas to mainland chinese starting thursdayyet for all the action taken even the near future remains uncertainthere is a real possibility that this virus will not be able to be contained said former cdc director tom frieden who oversaw the responses to the ebola and zika outbreaksresearchers are struggling to accurately model the outbreak and predict how it might unfold in part because the data released by chinese authorities is incomplete china has shared information showing when cases were reported but not when people became illresearchers also want to know more about the incubation period currently estimated at two to 14 days and how severe most cases arethe viruss fatality rate is just over two percent if figures posted by the chinese government are accurate that is considerably lower than death rates from the respiratory coronaviruses that caused sars which killed nearly 10 percent of people infected and mers which killed about 35 percentsome experts are encouraged that no case outside china seems to be severe and that no fatalities have been recorded outside china so farothers cautioned that the current death rate may mean little because the most severe cases in an epidemic like this one often emerge early when sick people present themselves to health care providers then become fewer as public health measures are instituted and medical care is strengthenedanthony fauci director of the national institute of allergy and infectious diseases noted in an interview that the virus may have been spreading unnoticed for weeks in wuhan before it emerged into public viewif many people had mild symptoms it would have been easy to miss them and that made it harder to put control measures in place said jennifer nuzzo an epidemiologist and senior scholar at the johns hopkins center for health securityexperts also are unsure whether asymptomatic patients can transmit the virus chinas health minister ma xiaowei alarmed officials around the world this weekend when he said his government had evidence that this type of spread was occurringbut us officials have challenged that conclusion saying they have not seen data that prove it and want the chinese to show them and asymptomatic patients never drive more than a small percentage of infections in epidemics such as this one fauci saideven if there some asymptomatic transmission in all the history of respiratoryborne viruses of any type asymptomatic transmission has never been the driver of outbreaks he said the driver of outbreaks is always a symptomatic personfrieden and others emphasized that even if officials cannot stop transmission they can still reduce the number of people who get infected as well as those who get very sick and die a critical measure for example is beefing up readiness by training healthcare workers in hospitals to prevent the spread of illnessat the moment us officials are isolating coronavirus patients in the hospital but that may not be practical if there are many more cases during sars highly infectious patients known as super spreaders were responsible for the viruss rapid spread in healthcare facilitiesit makes more sense to isolate someone with a mild coronavirus illness at home said nuzzo the hopkins expert if somebody only has a fever and runny nose is there a need to freak out she said", + "https://www.washingtonpost.com/", + "TRUE", + 0.05443264947612773, + 1241 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "No Evidence That Flu Shot Increases Risk of COVID-19", + "first of all experts say there has been no study connecting the flu shot with an increased risk of sarscov2 the novel coronavirus that causes covid19the central study cited by the childrens health defense is a 2019 armed forces health surveillance branch study that probed the theory that influenza vaccination may increase the risk of other respiratory viruses a concept known as virus interferenceedward belongia an infectious disease epidemiologist at the marshfield clinic research institute told us that the theory rests on the idea that if you get a flu infection for example maybe for some period of time your immune response to that flu infection reduces your risk of getting infected by some other virus\nbelongia said virus interference has been the subject of speculation and some studies with mixed results but there is ultimately little data to support it a 2013 study he worked on cited in the afhsb study found that influenza vaccination was not associated with detection of noninfluenza respiratory virusesin fact the afhsb study concluded that its overall results showed little to no evidence supporting the association of virus interference and influenza vaccinationthe erroneous claim that the study shows a heightened risk for covid19 for those vaccinated for the flu hinges on the studys suggestion that vaccinated individuals appeared more likely to get coronavirusbut the study looked at four types of seasonal coronaviruses that cause common colds not sarscov2whats more belongia said the results in the study that indicate a fluvaccinated person has an increased likelihood of testing positive for a seasonal coronavirus do not appear to be adjusted for age groups or seasons those factors could affect someones chances of getting a specific virus regardless of whether or not theyve been vaccinated for the fludifferent viruses affect different age groups and circulate at different times he said it can be easily explained just by random variation and the fact that they didnt adjust for confounding variablesthe military health system of which the afhsb is a part noted in a statement to factcheckorg that the study used data collected two years before the emergence of covid19 and looked at the seasonal coronaviruses impacting children and adults with no serious complications which do not have the potential for epidemic or pandemic spreadthe study does not show or suggest that influenza vaccination predisposes in any way the potential for infection with the more severe forms of coronavirus such as covid19 the mhs saidfurthermore the statement said its also important to note the study found evidence of significant protection by influenza vaccination against not only multiple forms of the flu but other very serious noninfluenza viruses such as parainfluenza respiratory syncytial virus rsv and noninfluenza virus coinfections it remains essential for people to obtain the seasonal flu shot each year as it becomes availablethere have been some results suggestive of virus interference which the childrens health defense cites in its post but none of the studies referenced assessed risks of the flu shot when it comes to covid19for example sharon rikin an assistant professor of medicine at albert einstein college of medicine and montefiore medical center said in an email that a 2018 study she worked on showed an association with flu vaccination and a slightly higher risk of nonflu acute respiratory infections such as the common cold in children however this association was not seen in adultsin medicine we are always weighing the risks and benefits of treatments in this case we know that the flu vaccine is safe and effective to reduce illness and death among children and adults every year rikin added we have not studied the association between flu vaccination and risk of covid19 fortunately covid19 is typically not causing significant illness in children however preventing illness and death from flu still remains extremely important for childrenrikin said just because we found an association between flu vaccines and acute respiratory infections does not mean that the flu vaccine actually caused there to be a higher risk of infections she said the group struggled to find a biologically plausible explanation and that while there is a small body of literature that hypothesizes that the phenomenon of shifts in viral prevalence could be caused by viral interference there is not strong empirical evidence of this occurring\nbelongia told us that ultimately the evidence of virus interference through such studies is weak and inconclusiveoverall we do not see evidence of virus interference that is sufficient to raise concerns about flu vaccination and covid19 risk he said serious covid19 disease occurs primarily in adults and we do not have evidence of flu vaccine causing virus interference in adult age groupshe said that getting the flu shot if anything is especially important because of potential problems posed by the combination of the flu and covid19 both for the health care system and individualslikewise richard ellison a professor of medicine at the university of massachusetts medical school and hospital epidemiologist at umass memorial medical center told us in an email that getting the flu itself carries very significant morbidity and potentially mortality so we dont want someone to get the flu in the first placein addition while having the flu may boost the immune system it can significantly weaken someones overall health status and make them more susceptible to complications should they be unfortunate enough to have both influenza and covid19 in the same year", + "https://www.factcheck.org/", + "TRUE", + 0.07637310606060606, + 895 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 181 + ], + [ + "Will Warm Weather Slow Coronavirus?", + "its hard to know yet but there are many things we can do to flatten the next wave of the contagionwill there be another wave of covid19 and if so how big will it be and will there be more waves after itthe answer to those questions depend on seasonality the susceptibility of the population to the disease the rate at which the coronavirus mutates and how we come out of lockdowncolds and influenza are seasonal because those viruses generally survive outside the body for a shorter time in high heat and high humidity than in cold weather and low humidity people also spend more time indoors in winter coming into close contact with others with less ventilation so respiratory infections are far more common in winter although of course they can sicken people in summer toobut in 1918 and 1919 the years of the worlds deadliest pandemic the seasons seemed to have little impact on the influenzathat pandemic had a mild first wave which began in february 1918 it struck relatively few places in the united states or around the world followed by a lethal second wave which began in switzerland in late july and spread rapidly around the world from september to december 1918 hitting the northern and southern hemispheres simultaneously australia was hit late its rigid quarantine of arriving ships delayed the pandemics arrival until january 1919 the middle of its summer then a third wave began in february 1919 marking two distinct pandemic waves in the same influenza season a highly unusual occurrencesusceptibility clearly was a more important factor than the seasons because it turned out that the entire world young and old people on every continent was susceptible to the diseasemutation was also an important factor it probably accounts for the timing of the third wave in 1919 it seems likely that by then the virus had changed enough that any immunity to the initial virus didnt protect well against its mutated form this hypothesis is supported by the fact that exposure to the first wave provided up to 89 percent protection against second wave illness the best vaccine in the last 15 years provided 62 percent protection but neither first nor second wave exposure protected against that third wavewhat does all this mean nownothing is certain and little is known about covid19 but a few things are likelyfirst modelers estimate that the true number of infected persons is up to 20 times the reported number which still leaves about 95 percent of the population susceptible if as in 1918 susceptibility proves more important than seasonal influences hot weather will not give as much relief as hoped for by the same token that would mean the expected seasonal surge when colder weather arrives might not be as large as fearedsecond covid19 mutates much more slowly than influenza and its key spike protein the part of the virus that attaches to cells seems particularly stable amid all of the bad news that this virus has brought this characteristic of the virus is a silver lining in several wayssince the virus does not mutate nearly as fast as influenza this reduces almost to zero the chance that it will become more virulent as happened in 1918 moreover because the spike protein is a key part of the virus likely to be recognized by the immune system then mutation will probably not account for a new wave soon for the same reason the consensus view of virologists seems to be that those who recover from the illness probably develop immunity lasting a year and possibly longer and that a vaccine will most likely protect reasonably well against covid19third the incubation period on average nearly six days is roughly triple the average incubation period of influenza and the disease itself takes much longer for people to recover from and stop shedding virus therefore even without social distancing it would take months for the outbreak to pass through a community as opposed to six to 10 weeks for influenza with social distancing necessary to reduce deaths by keeping hospitals from being overwhelmed it will take even longer additionally the incubation period allows an asymptomatic person more opportunity to spread diseasebut these factors will give the country more time to expand testing and contact tracing and to isolate and quarantine contacts all of those are impossible with fastspreading influenzahow then do we restart the economy we cannot simply wait for herd immunity to develop from natural infection that would take many months and be accompanied by an unacceptable death toll nor can we wait a year or more for a vaccineinstead a consensus has formed among public health experts to continue current measures until the epidemic curve bends significantly downward and the stress on health care is alleviated followed by a phasedin approach guarded by in effect a public health army that army would be fighting a guerrilla war armed with tests tracing isolation and quarantine to search and destroy inevitable flareupsthis approach has worked around the world it will work here covid19 would continue to spread but the cases would be in manageable numbers we would see not so much distinct waves as continuous undulating swells broken by occasional angry whitecapsbut if we do not manage our public health response well for instance allowing a widespread lifting of restrictions too quickly we could generate a storm surge that washes away everything gained so far by so much sacrifice that seems to be what too many politicians seem willing to riskthose politicians should consider this in 1918 san antonio was one of the slowest cities to close yet one of the quickest to reopen as a consequence more than half of the citys population got sick and almost every household had at least one person ill and covid19 is more contagious than influenzaits past time we start doing things the right way we still lack the testing capacity and anything approaching the necessary public health army its past time we start building both", + "https://www.nytimes.com/", + "TRUE", + 0.07357282502443796, + 1002 + ], + [ + "Has COVID-19 subverted global health?", + "for the first time in the postwar history of epidemics there is a reversal of which countries are most heavily affected by a disease pandemic by early may 2020 more than 90 of all reported deaths from coronavirus disease 2019 covid19 have been in the worlds richest countries if china brazil and iran are included in this group then that number rises to 96 the rest of the worldhistorically far more used to being depicted as the reservoir of pestilence and disease that wealthy countries sought to protect themselves from and the recipient of generous amounts of advice and modest amounts of aid from rich governments and foundationslooks on warily as covid19 moves into these regionsdespite this reversal however the usual formula of dispensing guidance continues to be played out with policies deemed necessary for the hardesthit wealthy countries becoming a onesizefitsall message for all countries two centrepieces of this approach are the use of widespread lockdowns to enforce physical distancingalthough it is notable that a few wealthy countries like sweden and south korea have not adopted this strategyand a focus on sophisticated tertiary hospital care and technological solutions we question the appropriateness of these particular strategies for lessresourced countries with distinct population structures vastly different public health needs immensely fewer healthcare resources less participatory governance massive withincountry inequities and fragile economies we argue that these strategies might subvert two core principles of global health that context matters and that social justice and equity are paramountcontext is central to the control of any epidemic a truism weve known for centuries but that we seem to have overlooked in this pandemic perhaps this is unsurprising given the colonial history of medicine in which the illnesses that affected europeans were assumed to have universal significance whereas those that affected the noneuropean populations who were colonised were relegated to tropical medicine that context matters is obvious in the case of covid19 lowincome and lowermiddleincome countries clustered in subsaharan africa and south and southeast asia have a different demographic profile from wealthy countries of the oecd and east asia their populations are much younger and most older people live at home not in care homes where up to half of all deaths in wealthy countries have occurred just these variations in age structure and social arrangements account for lower risk of covid19 mortality in these populations yet lockdowns have been imposed in these countries\nthe number of deaths from covid19 since the epidemic began is a tiny fraction of all deaths that have occurred due to any cause since the start of 2020 thus people continue to die in the millions of other diseases and lockdowns have made accessing essential health care much more difficult in some places in india for example public transport the main way for the poor and many healthcare workers to reach a health facility has been barred since late march although a limited restoration was announced on may 4 2020 not surprisingly there have been dramatic reductions in essential public health and clinical interventions data from indias national health mission indicate that there was a 69 reduction in measles mumps and rubella vaccination in children a 21 reduction in institutional deliveries a 50 reduction in clinic attendance for acute cardiac events and surprisingly a 32 fall in inpatient care for pulmonary conditions in march 2020 compared with march 2019 similar reports are emerging from other countries including disruptions to insecticidetreated net campaigns access to antimalarial medicines and suspension of polio vaccinationtwinned with lockdowns to achieve physical distancing is the promotion of widescale covid19 testing that relies on expensive kits and an emphasis on intensivecare units and ventilator capacity these strategies which have dominated much of the healthsystem response in rich countries are a remote possibility in many lowresource contexts where access to intensive care or anything beyond basic diagnostics is far from universal if covid19 vaccines are developed history suggests they are likely to be available first in the countries that can afford to purchase them and only then will they trickle down to lowincome countries where they will reach the wealthy first by contrast there is barely any mention of the role of syndromic diagnosis clinical diagnosis based on the constellation of symptoms and signs which are a hallmark of infection the role of community health workers primary care nurses and doctors and the role of community engagement constrained healthcare systems already short of money beds equipment and staff are unlikely to be able to provide treatment for covid19 patients unless they reallocate scarce resources and so the combined effect of the reduced access to and availability of essential health care might lead to increases in deaths unrelated to covid19a second key principle of global health is social justice and equity the concerns of the poor who already bear a disproportionate burden of risk factors and disease must be at the centre of all decisions yet a onesizefitsall approach to covid19 has not only been inequitable in its impact but is also likely to increase inequalities in the long term a stark example is the inequitable economic impact of lockdowns on people who barely survive on precarious livelihoods about 2 billion people make their living in the informal economy and over 90 of them live in lowincome and lowmiddleincome countries hunger is an immediate threat to these people and their families both due to the loss of daily wages and the disruption of the food supply chains the un has estimated that over 300 million children who rely on school meals for most of their nutritional needs might now be at risk of acute hunger which could reverse the progress made in the past 23 years in reducing infant mortality within a yearthen there is the practical challenge of physical distancing and quarantining in urban slums and rural households where multiple people share a room and where toilets cater for many families lockdowns have been enforced with an increase in authoritarian behaviour of the police with the poor experiencing brutality and humiliation in countries such as india nigeria kenya and south africa in sharp contrast lockdowns are little more than an inconvenience for affluent people who typically look to highincome countries as the model to shape their view of how society should respond to the pandemicwhat then should these countries do especially as some of them begin to ease lockdown restrictions realistically a communitybased approach is needed that emphasises active case finding through syndromic diagnosis where laboratoryconfirmed diagnosis is not available by community health workers and primary care providers with contact tracing and home quarantining especially early in an epidemic engaging and enabling community resources with due attention to avoiding stigmatisation and banning mass gatherings districtlevel facilities for appropriate respiratory support that can be managed by locally available human resources equipped with adequate personal protection need to be developed as longterm assets for the healthcare system lockdowns if humanely planned and with the participation of the community affected could be used sparingly to contain clusters of cases wearing masks at home for the ill person and caregiver washing hands when possible practising coughing etiquette and physically distancing older people and those with comorbidities are a few of the nonintrusive interventions that are possible without disrupting the intrinsic fabric of society central to our proposals are the engagement and participation of all sections of the community especially the poor and marginalised as a mature and responsible citizenry invoking their solidarity to be part of a shared endeavour rather than seeing the goal of containing covid19 as a purely technocratic or lawandorder problem similar communitybased strategies of social mobilisation and engagement were effective in reducing transmission of ebola virus disease in west africa\nconcurrently we suggest that countries must let people get on with their livesto work earn money and put food on the table let shop keepers open and sell their wares and provide services let construction workers return to building sites allow farmers to harvest their crops and to transport them to be sold on the open market allow health workers to do their daily work as before with sensible precautions such as use of gloves and masks to minimise the risk of exposure to the virus and allow the average citizen to travel freely with restrictions only applied to clusters where lockdowns are necessary livelihoods are an imperative for saving lives some will say such an approach which runs the risk of spreading disease implies that the lives of poor people are not as valuable as those in wealthy countries nothing could be further from the truth the policies of widespread lockdowns and a focus on hightechnology health care might unintentionally lead to even more sickness and death disproportionately affecting the poor and if such policies are mandated by global consensus then global financial institutions must write off outstanding debts from lowincome countries and finance the needed resources to underwrite the economic recovery of these countries\nkey principles of global health are context and equity we urge lessresourced countries to devise policies that speak to their unique demographics diverse social conditions and cultures precarious livelihoods and constrained infrastructure and resources a focus is needed on what is possible acceptable just and sustainable given that substantial financial support from wealthy countriesin contrast to technical guidanceis unlikely lowresource countries need to rely on their own homegrown expertise grassroots experience and community resources to chart a way through this crisis in addition to being aligned with the founding principles of global health such policies would adhere to a principle of the hippocratic oath primum non nocerefirst do no harm", + "https://www.thelancet.com/", + "TRUE", + 0.08009959579561853, + 1599 + ], + [ + "What’s the best way to prevent coronavirus?", + "stay at least 6 feet away from others wear a face covering when out in public wash your hands often and stop touching your facethe best way to kill germs is by scrubbing your hands with soap and water for 20 seconds do this frequently before during and after you visit a public place or have contact with peoplewhen soap isnt available use a hand sanitizer rub the sanitizer around your hands until its drystay home as much as possible and limit your contact with people", + "https://www.cnn.com/", + "TRUE", + 0.21250000000000002, + 86 + ], + [ + "Coronavirus: What is the R number and how is it calculated?", + "there is a simple but crucial number at the heart of understanding the threat posed by the coronavirus it is guiding governments around the world on the actions needed to save lives and to lift lockdownit is called the reproduction number or simply the r valuewhat is rthe reproduction number is a way of rating a diseases ability to spreadits the number of people that one infected person will pass the virus on to on averagemeasles has one of the highest numbers in town with a reproduction number of 15 in populations without immunity it can cause explosive outbreaksthe new coronavirus known officially as sarscov2 has a reproduction number of about three but estimates varyhow is r calculatedyou cannot capture the moment people are infected instead scientists work backwardsusing data such as the number of people dying admitted to hospital or testing positive for the virus allows you to estimate how easily the virus is spreadinggenerally this gives a picture of what the r number was two to three weeks ago regular testing of households should soon give a more timely estimatewhy is a number above one dangerousif the reproduction number is higher than one then the number of cases increases exponentially it snowballs like debt on an unpaid credit cardbut if the number is lower the disease will eventually peter out as not enough new people are being infected to sustain the outbreakgovernments everywhere want to force the reproduction number down from about three the r number if we took no action to below onethis is the reason youve not seen family have had to work from home and the children have been off school stopping people coming into contact with each other to cut the viruss ability to spreadwhat is the r number in the uk\nthe reproduction number is not fixed instead it changes as our behaviour changes or as immunity develops\nmathematical modellers at imperial college london are attempting to track how the number has changed as isolation social distancing and the full lockdown were introducedbefore any measures came in the number was well above one and the conditions were ripe for a large outbreak successive restrictions brought it down but it was not until full lockdown that it was driven below onethe r value in the uk has crept up recently and is now thought to be between 07 and 10counterintuitively this increase is probably due to the success in slowing the virus in society as a whole as cases collapse in the community the r value is largely reflecting what is happening in care homesdoes r vary across the ukthe r number has come down across every part of the uk since the start of the epidemicbut multiple research groups including those at the university of cambridge show it has come down the most in london it is proving far more stubborn in the northeast of englandthose figures are more optimistic than other groups calculations similar work by the london school of hygiene and tropical medicine puts the number for london at 06 and the southwest at 09it also showed the rvalues were 08 in wales and 1 in both scotland and northern irelandso how does this inform lifting lockdownas any country thinks about how to lift lockdown the aim will be to keep the reproduction number below onedr adam kucharski of the london school of hygiene and tropical medicine told the bbc its a big challenge making sure youre not loosening too much and increasing transmissionhowever it has taken a monumental effort one that has caused damage to peoples lives to get the number from three to 07it doesnt give you a lot of room to play with to keep the number below one dr kucharski addedwhich measures could be liftedunfortunately there is no confirmation of how much each intervention affects the viruss spread although there are estimatesopening schools versus workplaces versus other gatherings understanding how much they increase the reproduction number is going to be the challenge said dr kucharskianother issue is that peoples behaviour changes over time so the number can creep up even if lockdown policies remain unchangedwhat is likely to be needed are new ways of controlling the virus such as more extensive testing and tracing or locationtracking appsthese can suppress the reproduction number in a more targeted way allowing some of the other measures to be liftedis it the most important numberthe reproduction number is one of the big threeanother is severity if you have a very mild disease that does not cause many problems then you can relax a bit coronavirus and the disease it causes covid19 can be severe and deadly unfortunatelythe last is the number of cases which is important for deciding when to act if you have a high number but ease restrictions so the reproduction number is about one then you will continue to have a high number of caseswhat about a vaccinehaving a vaccine is another way to bring down the reproduction numbera coronavirus patient would naturally infect three others on average but if a vaccine could protect two of them from infection then the reproduction number would fall from three to one", + "https://www.bbc.com/", + "TRUE", + 0.1258793428793429, + 861 + ], + [ + "Coronavirus: What are social distancing and self-isolation rules?", + "uk prime minister boris johnson has urged people to be patient with the lockdown which is due to last until at least 7 mayso what are the ruleswhat is a reasonable excuse to go outthe measures say people should go out as little as possible and only leave home if they have a reasonable excuse this includesexercise alone or with members of your householdshopping for basic necessitiesany medical need or providing care for a vulnerable persontravel to or from work but only when you cannot work from homewhat are the rules on exerciseif you have to go outside stay more than 2m 6ft apart from anyone other than members of your household this is called social distancinggovernment guidance urges people to stay local and use open spaces near home however national police chiefs council npcc guidelines for england say driving to the countryside to walk is likely to be a reasonable excuse if far more time is spent walking than driving in northern ireland you can drive to a safe space for exercise in wales people must exercise as close as possible to home people should only exercise once a day although in england scotland and northern ireland there is no legal ban on exercising more in wales exercising more than once is now illegal the uk government hasnt set formal time limits for exercise in wales rules say you can exercise for a reasonable amount of time with four or five hours out of the question you are allowed to stop for a break but short periods of exercise followed by long periods of inactivity are not permitted so sunbathing is not allowed\ndogs can be walked as part of a persons daily exercise should outdoor exercise be banned and parks closed why is social distancing necessarysocial distancing is important because coronavirus spreads when an infected person coughs small droplets packed with the virus into the airthese can be breathed in or can cause an infection if you touch a surface they have landed on and then touch your face with unwashed handswhen could the lockdown endon 27 april mr johnson said it was still too soon to start easing restrictions as it could risk a second major outbreak and huge loss of life and the overwhelming of the nhsthe government has set out five tests for ending the lockdown and it will review the current rules by 7 maywhat is selfisolation\nif you show symptoms of coronavirus such as a dry cough and high temperature you must take extra precautionsyou should stay at home and not leave it for any reasonthis is known as selfisolationyou should not go out even to buy food or medicine and should order these online or ask someone to drop them off at your homeyou can use your garden if you have onewho should selfisolateeveryone who shows coronavirus symptoms a fever of above 378c a persistent cough or breathing problems and everyone who lives in the same homeif you live alone you must stay at home for seven days from the day symptoms start if you still have a high temperature after seven days you must continue to selfisolate until your temperature returns to normal however you do not need to continue to selfisolate if you only have a cough after seven days a cough can last for several weeks after the infection has goneif you or someone you live with develop symptoms the entire household needs to isolate for 14 days to monitor for signs of covid19 if someone else does become ill during that period their sevenday isolation starts that day for example it might run from day three to day 10 when that persons isolation would then end it would not restart if another member of the household fell ill\nanyone who fell ill on day 13 would have to start a sevenday isolation from that day spending a total of 20 days at home the person with symptoms should stay in a wellventilated room with a window that can be opened and keep away from other people in the homepeople are advised not to ring nhs 111 or their gp to report their symptoms unless they are worriedwhat about older people and those with health conditionsthe government says people aged 70 and over and those who have an underlying health condition should remain at home they are more likely to be seriously affected by coronavirusto minimise the risk friends or family should drop off food and medicine at the door or it should be ordered online gp appointments should be over the phone or onlinethe government says it will work with local authorities supermarkets and the armed forces to ensure people get supplies of essential food and medicinesothers in the same household and carers can go out as long they observe proper social distancing", + "https://www.bbc.com/", + "TRUE", + 0.022199921290830385, + 805 + ], + [ + "The new coronavirus CANNOT be transmitted through mosquito bites", + "to date there has been no information nor evidence to suggest that the new coronavirus could be transmitted by mosquitoes the new coronavirus is a respiratory virus which spreads primarily through droplets generated when an infected person coughs or sneezes or through droplets of saliva or discharge from the nose to protect yourself clean your hands frequently with an alcoholbased hand rub or wash them with soap and water also avoid close contact with anyone who is coughing and sneezing", + "https://www.who.int/", + "TRUE", + 0.22787878787878793, + 80 + ], + [ + "Q&A on the Coronavirus Pandemic", + "an outbreak of viral pneumonia that began in the central chinese city of wuhan at the end of 2019 has sickened more than 200000 people and led to more than 8000 deaths worldwide as of march 18 see the latest figures herescientists have made rapid progress in understanding the culprit a new virus in the coronavirus family which has been named severe acute respiratory syndrome coronavirus 2 or sarscov2 the pneumonialike disease it causes is called covid19as the virus has spread however misinformation has too weve written about many bogus claims about the new coronavirus spread through social media as well as false and misleading claims made by politicians see our coronavirus coverage page for a guide to our articles here we answer some key questions about what is known so far about the outbreak and the viruswhen did the outbreak begin and what is the causescientists are still working to determine when the virus first emerged in people but the earliest known instances of the disease occurred in early december in wuhan a city of 11 million in central china after a string of mysterious pneumonia cases many of them linked to a seafood market selling wild game and live animals officials reported the outbreak to the world health organization on dec 31by jan 7 chinese authorities had isolated a virus later named sarscov2 as the cause of the disease and shared the genome a few days later this allowed other countries to test for the virus and for scientists to begin devising treatments and investigating how the outbreak begancoronaviruses are a diverse family of large rna viruses that have characteristic spikes on their surface making them look like they have a halo or corona when viewed under a microscopemost coronaviruses that infect humans are relatively benign and cause mild respiratory diseases such as the common cold said susan weiss a coronavirus researcher at the university of pennsylvania in a phone interview but in recent years new coronaviruses have cropped up that are far more dangerous to humans including the severe acute respiratory syndrome or sars virus which led to a global outbreak in 2003 and the middle east respiratory syndrome or mers virus which was identified in 2012according to the who sars ultimately infected more than 8000 people killing 774 since 2012 there have been nearly 2500 mers cases and 858 deathsthe new virus is fairly similar to the sars virus and is in the same betacoronavirus subgroup as both the sars and mers viruses but is considered a new pathogenwhat are the symptoms and how severe is the diseasethe virus causes a pneumonialike respiratory illness that varies in severity but can be deadly symptoms include fever cough and shortness of breath a report in the lancet that analyzed the first 41 people admitted to the hospital for covid19 infection suggests that clinically the illness is similar to sars although fewer patients appear to have diarrhea or upper respiratory symptoms such as sneezing a runny nose and sore throat some people also report fatigue and in some cases people have been found to be infected but clear of any symptoms many of the symptoms are common to other respiratory diseases lab tests based on the virus genetic sequence can confirm infectionits not yet known how frequently people die from covid19 the reported fatality rates have fluctuated as the disease has spread hovering around 23 in late january and around 4 as of march 18 for comparison sars killed around 10 of infected people if not more while seasonal influenza typically kills 01 or less david fisman an epidemiologist at the university of toronto said in an emailbut these estimates which are simple calculations of the number of deaths relative to the number of known cases may not accurately reflect how dangerous the virus is since the disease course is still underway for many patients fisman said its also likely that far more people have been infected but have not gone to hospitals or had their illnesses confirmed for example if twothirds of cases are unreported he said the case fatality rate may be significantly lower for more on the fatality rate see our march 5 story trump and the coronavirus death rateaccording to a february study by the chinese center for disease control and prevention 14 of cases in mainland china were severe and 5 were criticalreports indicate that while healthy people can fall seriously ill and die deaths are primarily in older folks and those with preexisting conditions such as diabetes cardiovascular disease chronic respiratory conditions and hypertensionthe chinese cdc study for instance found a mortality rate of 148 in patients 80 and older and 8 for those 70 to 79 while the overall fatality rate then was 23 for cases in mainland chinasimilar statistics from italy bear out this trend as of march 15 no one in the country below the age of 30 had died from covid19 but a fifth or more of those above age 80 with the disease had in italy about 25 of cases have been severehow is the virus transmitted and how contagious is itthe centers for disease control and prevention says the new coronavirus is transmitted from person to person in close contact within about 6 feet of one anotherscientists suspect the transmission is similar to how influenza is spread with the virus travelling through respiratory droplets when infected people cough or sneeze this is how scientists believe past coronaviruses such as sars and mers have spreadthe incubation period or how long before someone who is infected shows symptoms is estimated to be around 4 days but may range from 2 to 14 days according to the cdc there is some evidence that asymptomatic people can transmit the virus to others a march 16 science study that modeled how the outbreak unfolded in china also found that people who have few or no symptoms may be responsible for the bulk of the disease spread the cdc however says that people are thought to be most contagious when they are most symptomatic and that asymptomatic people are not thought to be the main way the virus spreadsit also could be possible to contract the disease by touching a contaminated surface and then touching your mouth nose or even eyes a study released in midmarch by scientists with the national institutes of health cdc ucla and princeton found the virus could be detected for up to 24 hours on cardboard and much longer on hard surfaces including plastic and stainless steel for up to two to three daysat a march 18 press conference coronavirus task force coordinator dr deborah birx said that were still working out how much is it by humanhuman transmission and how much is it by surface adding that the fundamental guidelines are to avoid exposure to excess number of persons who could be asymptomatic and infected and dont expose yourself to surfaces that could have had the virus on itits also unclear exactly how infectious the new virus is several groups of scientists have attempted to estimate sarscov2s basic reproduction number or r0 which is the average number of other people one person infects assuming everyone in the population is susceptibleusing a variety of methods multiple teams have arrived at figures that generally range from 15 to 4 which suggest the transmissibility is roughly in line with that of sars but below that of the measles virus which has an r0 of around 12 to 18 and is one of the most infectious viruses in the worlddespite the diversity of approaches taken theres remarkable consistency in estimates from highly competent investigators which seem to fall between 2 and 3 said fismanan early estimate from the who for example suggested that every infected person would spread the virus to 14 to 25 people on average while a team at imperial college london pegged the r0 at 26 a group at the university of bern in switzerland calculated an r0 of 14 to 38 and harvard researchers maia majumder and kenneth mandl estimated a figure between 2 and 31while the figures provide some clue as to how contagious the virus is its important to recognize that these values dont necessarily say anything about how widespread the outbreak will be as majumder pointed out on twitter the r0 reflects potential transmission not actual transmission and that even though seasonal flu has a relatively low r0 of about 13 it causes millions of cases per year whereas sars had an r0 between 2 and 5 and led to fewer than 10000 casesplanning preparedness and infection control can effectively bring an outbreak of a novel moderater_0 disease to a close even in the absence of vaccines majumder said in a tweet because of this estimates of r_0 for ncov2019 should be viewed as a call to action instead of a reason to panichow can people protect themselves from contracting or spreading the virusthe cdc advises people to wash their hands frequently with soap and water for a minimum of 20 seconds avoid touching their faces with unwashed hands avoid close contact with sick individuals and avoid social interactions generally to prevent community spreadthe cdc website provides advice on what to do if youre sick and other resourceswhere have cases been reportedon march 16 the who reported that the total cases and deaths outside china had surpassed those in chinaas of march 18 there have been 214894 confirmed cases in 156 countries from greenland to the caribbean nation st vincent and the grenadines to the maldives the largest number of those cases 81102 occurred in chinathe secondlargest total has been in italy with 35713 cases followed by iran 17361 spain 13910 germany 12327 france 9052 south korea 8413 and the united states 7769as of march 18 8732 people had died from covid19 worldwidegiven the speed of the outbreak these tallies will be out of date soon after we publish this article updates are available on a visualization tool put together by johns hopkins universitythe cdc also has launched its own state and global maps to show the location of the confirmed caseswhat information do we have about the us casesthe cdc announced the first american case on jan 21 in a man in his 30s who returned home to washington state after a trip to wuhan and then fell ill many more cases have followed and the spread of the epidemic has acceleratedas of march 18 there had been 7769 cases confirmed in the us but the total number of cases is thought to be quite a bit higher given the fact that many patients have mild or possibly no symptoms and the us has been slow to implement testing for covid19cases of covid19 have been reported in all 50 states as well as the district of columbia and the territories of puerto rico guam and the virgin islands the states with the highest concentration of cases include washington state new york state and californiaas of march 18 there had been 118 fatal cases in the united statesthe trump administration declared a public health emergency on jan 31 one day after the who did so and announced a national emergency on march 13 two days earlier the who had declared the global outbreak a pandemic what are the us travel restrictionsthe white house has issued a series of travel restrictions beginning when health and human services secretary alex azar declared a public health emergency for the new coronavirus and announced travel restrictions to and from china effective feb 2 that policy prohibits nonus citizens other than the immediate family of us citizens and permanent residents who have traveled to china within the last two weeks from entering the us the special administrative regions of hong kong and macau were excluded from the restrictionson feb 29 trump expanded those travel restrictions to iran on march 11 those restrictions were extended to 26 european countries austria belgium czech republic denmark estonia finland france germany greece hungary iceland italy latvia liechtenstein lithuania luxembourg malta netherlands norway poland portugal slovakia slovenia spain sweden and switzerland three days later on march 14 the president added the united kingdom and ireland to that listalthough trump has referred to the restrictions as a travel ban and said that he has closed down the borders to china and to other areas that are very badly affected thats not accurate the restrictions exempt for example legal permanent residents of the us and their immediate families although there are travel warnings to many countries that americans are asked to abide by and although the president said on march 11 that european travel prohibitions would also pertain to a tremendous amount of trade and cargo goods are not affected by the policythe us temporarily closed its border with canada to all nonessential traffic trump announced via twitter on march 18for the latest information on travel restrictions by country see the state departments page on covid19 country specific informationto date there are no travel restrictions on domestic travel in a press conference on march 16 trump said we think that hopefully we wont have to do that but its certainly something that we talk about every day we havent made that decisionthe cdc has issued a list of things to consider when deciding whether it is safe to travel domestically such as whether covid19 is spreading in the area where you are going and whether your travel would include crowded settings particularly closedin settings with little air circulation including conferences public events or the use of public transportationfor the latest travel information visit the cdcs covid19 travel page which includes information on international travel cruise ship travel health notices for each country and information for those returning from highrisk countrieshow is the rest of the world respondingmeasures taken by china have slowed the spread of new infections there and some of the other countries that have been most affected are taking steps to prevent more cases within their own borders and abroad in italy which is second to china in the number of coronavirus cases and deaths a nationwide lockdown went into effect on march 10 residents can leave their homes for work for health reasons and for basic needs such as food shopping large gatherings in public spaces are prohibited and restaurants and bars which were first ordered to observe a 6 pm curfew have been closed sporting events are cancelled and schools universities and recreational facilities are closed until at least april 3spain recently announced a state of alarm and instituted a minimum 15day lockdown similar to italys starting march 14 politico europe reported that citizens can leave their homes only to buy groceries and pharmaceutical products go to the bank or hospital or to take care of dependents the newspaper added while on the street they must be unaccompanied at all times and while they can go to work most workplaces are to be closed to the public until further notice the decree from spains government also reportedly ordered the closing of all schools museums libraries hotels and restaurants and prohibits sporting and cultural activitiesprior to that order spain had prohibited flights from italy to spain until march 25as of march 16 germany reintroduced border checks at its land borders with austria switzerland france luxembourg and denmark individuals with no valid reason for travel will not be permitted to enter or leave the country particularly those with symptoms that could indicate they are infected with coronavirus also schools and kindergartens in most german states have been closed until april 20 which is after the easter holidaysouth korea reportedly has had success reducing its rate of new infections because of its expansive testing program as of march 17 south korea had conducted nearly 287000 tests for the coronavirus according to the online publication our world in data that was more than the next two countries combinedthe south korean government is also isolating infected individuals as well as quarantining people with whom they have had contact and using a tracking system to monitor their whereabouts to ensure they remain in the quarantine areasingapore also has been singledout for its response to the outbreak as of march 18 the nation of more than 5 million people had 313 confirmed cases of coronavirus and zero deaths according to data from johns hopkins universityin remarks in midfebruary who directorgeneral tedros adhanom ghebreyesus said singapore is leaving no stone unturned testing every case of influenzalike illness and pneumoniathe island nation also made the decision early to restrict entry for anyone from mainland china and more recently from northern italy iran and south korea according to a march 6 article in the lancetreports also indicate that singapore has made great efforts to track down people who have come in contact with infected people and has strict rules for individuals in quarantine researchers in singapore also were among the first to develop a test that can detect antibodies that remain in the body after someone has recovered from a coronavirus infectionwhat information do we have on testing for covid19there were numerous problems initially that limited the availability of viral test kits and the number of people being tested in the us we cover those in a march 10 story the facts on coronavirus testingon march 3 vice president mike pence announced that any american can be tested with no restrictions subject to doctors orderthe cdc now recommends that those experiencing covid19 symptoms including fever cough and shortness of breath call their doctor if they have been in close contact with someone who has tested positive for covid19 or are living in a community where there is ongoing spread of covid19those at high risk including the elderly and those with certain chronic medical conditions should be tested even if their illness is mild the cdc says although testing is now available in all 50 states the number of us residents who have been tested remains relatively smallas of march 17 the cdc said that cdc and public health laboratories have tested fewer than 32000 samples the cdc provides daily updates on the number of samples that have been tested in addition commercial labs have tested another 27000 samples bringing the total to 59000 adm brett giroir an assistant health secretary said on march 17at a march 18 press conference coronavirus task force coordinator birx said the government is placing a priority on testing in regions that were mostly affected and so you still may have difficulty getting tests in areas that do not have significant caseswhen will there be a covid19 vaccine and an antiviral treatmentdr anthony fauci director of the national institute of allergy and infectious diseases has said that a vaccine at best wont be ready for a year to a yearandahalf and wont be available for the current epidemicwe cant rely on a vaccine over the next several months to a year fauci said at a feb 27 white house press conference however if this virus which we have every reason to believe it is quite conceivable that it will happen will go beyond just a season and come back and recycle next year if thats the case we hope to have a vaccineon march 16 the national institutes of health announced that a phase 1 clinical trial has begun at kaiser permanente washington health research institute in seattle the trial will involve 45 healthy adults ages 18 to 55 over a sixweek period nih saidbut that is just the first phase of a lengthy process to make sure that the vaccine is effective and safe to use as fauci explained at a feb 25 press conferenceyou need at least three to four months to determine if its safe and whether it induces the kind of response that you would predict will be protective fauci said of the phase 1 trial once you do that you graduate to a much larger triala phase 2 trial would involve hundreds if not thousands of individuals to determine efficacy fauci said that itself even at rocket speed would take at least an additional six to eight months so when you are talking about the availability of a vaccine even to scale it up youre talking about a year to a yearandahalf\nas for an antiviral treatment one could be ready by june at the earliest officials saynih announced on feb 25 that it had begun a randomized controlled clinical trial to evaluate the safety and efficacy of the investigational antiviral remdesivir in hospitalized adults diagnosed with coronavirus disease 2019 covid19 at the university of nebraskaremdesivir developed by gilead sciences inc is an investigational broadspectrum antiviral treatment nih said in a press release it was previously tested in humans with ebola virus disease and has shown promise in animal models for treating middle east respiratory syndrome mers and severe acute respiratory syndrome sars which are caused by other coronavirusesdaniel oday chairman and ceo of gilead sciences said at a march 2 white house meeting that the company hopes to know by april if the drug works fauci said if the trial that daniel is talking about proves efficacy which you likely might know in a few months whether its effective or not if you know by june that its effective then you just scale up and manufacture it and youre good to go", + "https://www.factcheck.org/", + "TRUE", + 0.1124557143374348, + 3560 + ], + [ + "Virtual treatment and social distancing", + "the coronavirus disease 2019 covid19 pandemic is raising levels of anxiety worldwide both appropriate anxiety in reaction to real dangers and maladaptive panic beyond handwashing a key public health directive is social distancing which entails avoiding public gatherings and generally keeping physical distance from others the economy is shutting down leaving people at home without the structure of their daily work routine the closing of theatres museums restaurants and bars has disrupted and diminished social life rapid shifts in information and misinformation about a previously unknown pathogen amplify ongoing uncertainty and anxiety social distancing seems to mean increasing social isolation while worrying about a potentially lethal illness isolation can easily translate to loss of social support particularly for individuals who live alone and loss of social support often compounds symptom severitythe current crisis is transforming both our society and our practice this situation has large implications for psychotherapy and perhaps particularly for interpersonal psychotherapy ipt overnight psychotherapy has changed from inperson treatment to teletherapy which maintains the therapistpatient alliance despite the emotional and hygienic distancing of a computer or smartphone screen teletherapy is functional but is not exactly like being in the same room with another person in ipt we generally aspire to have patients look up from their screens to make eye contact but now we distance now talking heads might be the safest substitute for personal encounterswhereas other treatments like psychodynamic psychotherapy and cognitive behavioral therapy have intrapsychic targets ipt focuses on the interpersonal arena ipt therapists usually encourage patients to interact with others social contact is already a challenge for depressed and anxious patients and it has just become far more complicated it is not a good time to join a social group or meet new individuals so how should therapists handle the current crisis recent virtual supervisions and treatments have offered the following suggestionsaddress reality the first step is to acknowledge the extraordinary situation to strengthen the therapeutic alliance therapists can be clear that we would rather meet in person but that in this public health emergency that is not a good idea the therapist might want to privately recognise his or her countertransference which might well include relief at avoiding infection by maintaining a distance the message to the patient however needs to convey that the therapist will stay in touch and continue working to help the patient get better the crisis notwithstanding indeed isolated patients need a lifeline now more than ever try to maintain a regular schedule and have the patient find a space where he or she will not be overheard or interrupted it is important to try to use health insurance portability and accountability actapproved media to make eye contact through the screen give the patient your full empathic attention do not take notes during sessions the therapeutic alliance could have particular potency in a time of crisissocial support similarly the patients social interaction presents a dilemma it is important to make the most of social engagement given the limitations of the moment to maintain social bonds and to seek interpersonal support even as one must maintain a safe physical distance social engagementattachmentis a basic human need at a time when developing new relationships might be hard taking a good interpersonal inventory can identify existing relationships that the patient can use to minimise isolation the phone facetime skype and the like can help to lessen social isolation and maintain social support failing that strategy more isolated individuals might want to use social media to maintain a sense of connection with othersbecause most new therapies require inperson intake visits a patient you terminate with is unlikely to be able to start new treatment elsewhere hence even if you were planning to terminate a timelimited treatment with a patient it might be appropriatedepending upon clinical statusto add continuation sessions to a treatment you would normally end in order to ensure the patients continuity of careevery cloud has a silver lining objectively this situation is a terrible moment in world history and not one to trivialise to patients from a therapeutic stance however bad news can be good news ipt therapists capitalise on environmental stressors and lossesthe death of a significant other complicated bereavement a painful interpersonal situation role dispute or other major life event role transitionas helpful explanations for why patients are feeling the way they do contextualising those feelings and symptoms in a current personal crisis that the patient can work on and resolve in timelimited treatmenta pandemic can helpfully be reframed as a role transition in which the patient needs to mourn the hopefully temporary loss of old roles and to adaptively restructure activities and relationships in the present forty years ago another frightening and initially untreatable virus with very different course stigma and social reverberations struck because the news was so bad ipt proved particularly efficacious in treating hivrelated major depression and might have similar potency todaythis setting is a painful but powerful moment for psychotherapy patients need therapy more than ever yet are physically distanced from it psychotherapy might be harder in some respects to do at a distance but teletherapy does work and the basic principles remain the same the interpersonal environmental context can provide a useful frame for treating the problems patients now facejm reports personal fees from oxford university press american psychiatric publication and basic books and support from a grant from the bob woodruff foundation outside the submitted work", + "https://www.thelancet.com/", + "TRUE", + 0.03618793161203875, + 904 + ], + [ + "Should Grandma still come visit?", + "older adults especially those who have compromised immune systems seem to be the most vulnerable to the new coronavirus some areas are calling for extreme measures for example california called for people over 65 to stay in their homes while new york state is asking those over 70 to stay indoors \nif possible grandparents should not visit their grandchildren right now it appears that children and young adults are an important vector for coronavirus because they may be infectious even if they dont have symptoms dr cynthia r ambler md a pediatrician at northwestern medicine in chicago told hallie levine in a piece for the times addressing the safety of grandparents if grandparents are the primary caretakers of children kids and grandparents alike should wash hands even more carefully and regularly disinfect frequently touched surfaces", + "https://www.nytimes.com/", + "TRUE", + 0.12500676406926406, + 135 + ], + [ + "How does the coronavirus work?", + "what is it a sarscov2 virion a single virus particle is about 80 nanometers in diameter the pathogen is a member of the coronavirus family which includes the viruses responsible for sars and mers infections each virion is a sphere of protein protecting a ball of rna the viruss genetic code its covered by spiky protrusions which are in turn enveloped in a layer of fat the reason soap does a good job of destroying the viruswhere does it come from\ncovid19 like sars mers aids and ebola is a zoonotic diseaseit jumped from another species to human hosts this probably happened in late 2019 in wuhan china scientists believe bats are the likeliest reservoir sarscov2s closest relative is a bat virus that shares 96 of its genome it might have jumped from bats to pangolins an endangered species sometimes eaten as a delicacy and then to humans how does it get into human cells the viruss protein spikes attach to a protein on the surface of cells called ace2 normally ace2 plays a role in regulating blood pressure but when the coronavirus binds to it it sets off chemical changes that effectively fuse the membranes around the cell and the virus together allowing the viruss rna to enter the cellthe virus then hijacks the host cells proteinmaking machinery to translate its rna into new copies of the virus in just hours a single cell can be forced to produce tens of thousands of new virions which then infect other healthy cells parts of the viruss rna also code for proteins that stay in the host cell at least three are known one prevents the host cell from sending out signals to the immune system that its under attack another encourages the host cell to release the newly created virions and another helps the virus resist the host cells innate immunity how does the immune system fight it off as with most viral infections the bodys temperature rises in an effort to kill off the virus additionally white blood cells pursue the infection some ingest and destroy infected cells others create antibodies that prevent virions from infecting host cells and still others make chemicals that are toxic to infected cells but different peoples immune systems respond differently like the flu or common cold covid19 is easy to get over if it infects only the upper respiratory tracteverything above the vocal cords it can lead to complications like bronchitis or pneumonia if it takes hold further down people without a history of respiratory illness often have only mild symptoms but there are many reports of severe infections in young healthy people as well as milder infections in people who were expected to be vulnerable if the virus can infect the lower airway as its close cousin sars does more aggressively it creates havoc in the lungs making it hard to breathe anything that weakens the immune systemeven heavy drinking missed meals or a lack of sleepcould encourage a more severe infection how does it make people sick infection is a race between the virus and the immune system the outcome of that race depends on where it starts the milder the initial dose the more chance the immune system has of overcoming the infection before the virus multiplies out of control the relationship between symptoms and the number of virions in the body though remains unclear if an infection sufficiently damages the lungs they will be unable to deliver oxygen to the rest of the body and a patient will require a ventilator the cdc estimates that this happens to between 3 and 17 percent of all covid19 patients secondary infections that take advantage of weakened immune systems are another major cause of death sometimes it is the bodys response that is most damaging fevers are intended to cook the virus to death but prolonged fevers also degrade the bodys own proteins in addition the immune system creates small proteins called cytokines that are meant to hinder the viruss ability to replicate overzealous production of these in what is called a cytokine storm can result in deadly hyperinflammation how do treatments and vaccines work there are about a halfdozen basic types of vaccines including killed viruses weakened viruses and parts of viruses or viral proteins all aim to expose the body to components of the virus so specialized blood cells can make antibodies then if a real infection happens a persons immune system will be primed to halt it in the past it has been difficult to manufacture vaccines for new zoonotic diseases quickly a lot of trial and error is involved a new approach being taken by moderna pharmaceuticals which recently began clinical trials of a vaccine is to copy genetic material from a virus and add it to artificial nanoparticles this makes it possible to create a vaccine based purely on the genetic sequence rather than the virus itself the idea has been around for a while but it is unclear if such rna vaccines are potent enough to provoke a sufficient response from the immune system thats what clinical trials will establish if they first prove that the proposed vaccine isnt toxic other antiviral treatments use various tactics to slow down the viruss spread though it is not yet clear how effective any of these are chloroquine and hydroxychloroquine typically used to fight malaria might inhibit the release of the viral rna into host cells favipiravir a drug from japan could keep viruses from replicating their genomes a combination therapy of lopinavir and ritonavir a common hiv treatment that has been successful against mers prevents cells from creating viral proteins some believe the ace2 protein that the coronavirus latches onto could be targeted using hypertension drugs another promising approach is to take blood serum from people who have recovered from the virus and use itand the antibodies it containsas a drug it could be useful either to confer a sort of temporary immunity to healthcare workers or to combat the viruss spread in infected people this approach has worked against other viral diseases in the past but it remains unclear how effective it is against sarscov2", + "https://www.technologyreview.com/", + "TRUE", + 0.039719714567275535, + 1028 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "Does the new coronavirus affect older people, or are younger people also susceptible?", + "people of all ages can be infected by the new coronavirus 2019ncov older people and people with preexisting medical conditions such as asthma diabetes heart disease appear to be more vulnerable to becoming severely ill with the virus who advises people of all ages to take steps to protect themselves from the virus for example by following good hand hygiene and good respiratory hygiene", + "https://www.who.int/", + "TRUE", + 0.1502754820936639, + 64 + ], + [ + "How 5G conspiracy theories used covid-19 to go viral", + "for as long as there have been mobile networks there have been health concerns about the radiation they emit at first people worried they would cause cancer the fifth generation of networks or 5g aroused fears of headaches rashes and severe skin burnslack of evidence has not put paid to these suspicions last year councils in frome glastonbury and totnes banned the rollout of the technology backbenchers in parliament debated the matter and ee a mobile network had so many concerned calls that it dedicated a team to dealing with themcovid19 has given conspiracy theorists a new angle some pointed out that wuhan where the virus originated was also one of the first cities in china to get 5g coverage that was where their relationship with reality came to an endseveral strains of the theory have emerged one is that 5g weakens immune systems another that it inhibits oxygen intake exacerbating the disease a third that covid19 does not exist but is a cover for 5grelated diseases that governments are trying to hush up amanda holden a tv personality tweeted a nowdeleted petition linking 5g with coronavirus on april 7th youtube removed an interview with david icke a conspiracy theorist repeating the story and said it would ban all such contentthe theories have spread like wildfire in africa america and europe says hanna linderstal of earhart a security and riskmanagement firm with europeans the most enthusiastic proponents last week they led to literal fires mobile networks tower masts were set alight in birmingham and merseyside workers laying fibreoptic cable have been harassed in the streetms linderstal analysed dozens of videos on socialmedia platforms many of them contain expert advice on how you cure the virus with cold air and move away from 5g antenna or even destroy the 5g antenna to save your family though the videos origins are unclear the people spreading them are mostly worried rather than malign she says yet at a time when britons are stuck at home and unusually reliant on mobile networks and broadband to connect to the outside world the actions of a small group of scared citizens risk causing real harmunlike the tower masts they are burning down", + "https://www.economist.com", + "TRUE", + 0.1036730945821855, + 366 + ], + [ + "Fighting disinformation", + "misinformation and disinformation in the health space are thriving including on covid19 it is important that you rely only on authoritative sources to get updated information on the covid19 outbreak\n\nwe suggest that you follow the advice of your public health authorities and the websites of relevant eu and international organisations ecdc and who you can also help by not sharing unverified information coming from dubious sources\n\nthe fight against disinformation is a joint effort involving all european institutions to help fight disinformation the eu is working in close cooperation with online platforms we are encouraging them to promote authoritative sources demote content that is factchecked as false or misleading and take down illegal content or content that could cause physical harm", + "https://ec.europa.eu/", + "TRUE", + 0.028703703703703703, + 122 + ], + [ + "What can I do to keep my immune system strong?", + "your immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your diet\nexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressureif you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth", + "https://www.health.harvard.edu/", + "TRUE", + 0.1301851851851852, + 198 + ], + [ + "How do disease detectives find the source of an outbreak like this?", + "once two or more people are identified disease detectives such as those in the cdcs epidemic intelligence service look for what these people have in common do they live together work together shop at the same market points of overlap could indicate sources of the pathogenat the same time infectious disease doctors and scientists try figure out what the pathogen is in the case of the novel coronavirus scientists isolated and genetically sequenced the virus revealing its close relationship to sars which originated in bats but was transmitted to humans through another speciespinpointing the precise animal species will take time and a lot of testing it took more than a year to identify civets as the intermediary host between bats and humans for sars", + "https://www.globalhealthnow.org/", + "TRUE", + 0.15454545454545454, + 124 + ], + [ + "The store is out of hand sanitizer. Should I make my own?", + "recipes for homemade hand sanitizer are circulating online but none of the experts i spoke to recommended making your own even if stores have run out many popular brands of hand sanitizer like purell or highmark have established concentrations of alcohol generally between 60 and 95 percent said dr rebecca pellett madan md a pediatric infectious disease specialist at nyu langones hassenfeld childrens hospital which helps ensure their effectiveness additionally she said we have experience using it in hospitals and we know how effective it is the same evidence base for homemade recipes doesnt exist yet\nif you are using storebought hand sanitizer make sure that its at least 60 percent alcohol and that it fully dries before you or your child touch anything otherwise it wont work as well also keep in mind that hand sanitizers are not as effective when used on visibly dirty or greasy hands according to the cdc", + "https://www.nytimes.com/", + "TRUE", + 0.15909090909090906, + 153 + ], + [ + "What should I do of I have COVID-19 symptoms and when should I seek medical care?", + "if you have minor symptoms such as a slight cough or a mild fever there is generally no need to seek medical care stay at home selfisolate and monitor your symptoms follow national guidance on selfisolationhowever if you live in an area with malaria or dengue fever it is important that you do not ignore symptoms of fever seek medical help when you attend the health facility wear a mask if possible keep at least 1 metre distance from other people and do not touch surfaces with your hands if it is a child who is sick help the child stick to this adviceseek immediate medical care if you have difficulty breathing or painpressure in the chest if possible call your health care provider in advance so heshe can direct you to the right health facility", + "https://www.who.int/", + "TRUE", + -0.007384772090654448, + 136 + ], + [ + "Scientists ‘strongly condemn’ rumors and conspiracy theories about origin of coronavirus outbreak", + "a group of 27 prominent public health scientists from outside china is pushing back against a steady stream of stories and even a scientific paper suggesting a laboratory in wuhan china may be the origin of the outbreak of covid19 the rapid open and transparent sharing of data on this outbreak is now being threatened by rumours and misinformation around its origins the scientists from nine countries write in a statement published online by the lancet yesterday\nthe letter does not criticize any specific assertions about the origin of the outbreak but many posts on social media have singled out the wuhan institute of virology for intense scrutiny because it has a laboratory at the highest security levelbiosafety level 4and its researchers study coronaviruses from bats including the one that is closest to sarscov2 the virus that causes covid19 speculations have included the possibility that the virus was bioengineered in the lab or that a lab worker was infected while handling a bat and then transmitted the disease to others outside the lab researchers from the institute have insisted there is no link between the outbreak and their laboratorywe stand together to strongly condemn conspiracy theories suggesting that covid19 does not have a natural origin says the lancet statement which praises the work of chinese health professionals as remarkable and encourages others to sign on as wellus senator tom cotton rar added fuel to controversial assertions on fox news earlier this month when he noted that the lab was a few miles away from a seafood market that had a large cluster of some of the first cases detected we dont have evidence that this disease originated there but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says cotton said noting that the chinese government initially turned down the us governments offer to send scientists to the country to help clarify questions about the outbreakthe authors of the lancet statement note that scientists from several countries who have studied sarscov2 overwhelmingly conclude that this coronavirus originated in wildlife just like many other viruses that have recently emerged in humans conspiracy theories do nothing but create fear rumours and prejudice that jeopardise our global collaboration in the fight against this virus the statement sayspeter daszak president of the ecohealth alliance and a cosignatory of the statement has collaborated with researchers at the wuhan institute who study bat coronaviruses were in the midst of the social media misinformation age and these rumors and conspiracy theories have real consequences including threats of violence that have occurred to our colleagues in china daszak a disease ecologist told scienceinsider we have a choice whether to stand up and support colleagues who are being attacked and threatened daily by conspiracy theorists or to just turn a blind eye im really proud that people from nine countries are able to rapidly come to their defense and show solidarity with people who are after all dealing with horrific conditions in an outbreak", + "https://www.sciencemag.org/", + "TRUE", + 0.10676748176748178, + 508 + ], + [ + "UV light injections are not a common medical treatment — or a COVID-19 cure", + "the international ultraviolet association and radtech north america two industry groups made up of equipment vendors scientists engineers and medical professionals who deal with ultraviolet light discouraged the exposure of parts of the body to ultraviolet light as a disinfectant against coronavirus we would like to inform the public that there are no protocols to advise or permit the safe use of uv light directly on the human body at the wavelengths and exposures proven to efficiently kill viruses such as sarscov2 a joint news release stated trump on april 24 said the comment was meant to be sarcastic and referred to the use of disinfectant on the hands the white house issued a statement that day blaming media for quoting him out of context ultraviolet light as a disinfectantultraviolet light has been used for disinfection for more than 100 years according to the international ultraviolet associationthe associations website explains ultraviolet light can be broken up into four categories uva uvb uvc and vacuumuv each category includes a specific range of wavelengthsuva and uvb are found in sunlight and can cause sunburns or eventually melanoma they are also at times used for disinfectionuvc a lower and more powerful wavelength of ultraviolet light than found in sunlight is commonly used for disinfection in water treatment facilities surfaces and in hospital settings its effective because the radiation inactivates cells from reproducing so far no microorganisms have shown immunity to uv exposurefor years weve used uv on air and surfaces and on hospital rooms with no humans in the room jim malley an ultraviolet light expert and professor of civil and environmental engineering at the university of new hampshire told usa today we protect ourselves in the laboratory with face shields and gloves to keep the uv away from our eyes and our skin there are also contexts in which controlled ultraviolet light is used as a medical treatment for example the american cancer societys website explains that doctors may use fluorescent lamps to administer carefully controlled uva and uvb treatments for those with skin lymphoma what is ultraviolet blood irradiationthe use of ultraviolet light to treat blood as a cure for various ailments has been around for years known as ultraviolet blood irradiation or biophonic therapy it has not gained widespread acceptance moremeat shortages expected as coronavirus disrupts production despite executive orderthe process generally involves withdrawing a measure of blood and running it through a machine that exposes it to ultraviolet rays the blood is then reintroduced into the persons body one website advocating for ubi says the process creates a response in the immune system called an autogenous vaccine which stimulates the immune system to destroy any and all pathogensthe website includes a lengthy list of diseases aided by the treatment including lymphoma various viral infections bacterial infections autoimmune diseases circulation conditions and inflammatory conditions in 2015 a company called uvlrx therapautics began marketing a machine called the uvlrx 1500 in the european union touting that it for the first time eliminated the need to withdraw blood from the body to perform ubithe system used an iv catheter to administer a 60minute treatment into the bloodstream the treatment included a halfhour of red light and uva wavelengths followed by a halfhour of red and green light wavelengths according to a news releasemoreone in 3 death certificates were wrong before coronavirus its about to get even worsein 2016 forbes reported the device had begun appearing at alternative medicine practices in the us without approval from the food and drug administration the company said it was beginning clinical trials of the device forbes cited an archived version of the uvlrx website which no longer exists that listed the conditions the clinical trial expected to explore including dengue fever tuberculosis sepsis sportsrelated injuries hiv and hepatitis c lyme disease and others the file for the trial at clinicaltrialsgov last updated in october 2016 does not include the results of the trialmedical experts ubi is not an effective treatment for killing virusesubi has faced criticism from medical experts who say the procedure lacks clinical trials and studies that show its effectivenessdr michael hamblin a former principal investigator at the wellman center for photomedicine at massachusetts general hospital and associate professor of dermatology at harvard medical school wrote in a 2018 paper that ubi has become known as the cure that time forgotit was used broadly in the 1940s and 1950s as a treatment for many diseases although its use diminished with the rise of antibiotics hamblin wrote in the years since ubi has been studied more in russia and eastern countries than in the us hamblin wrote more study should be conducted on the treatment as there is confusion regarding what is happening during the treatment and has led to controversy about its use over the years its acceptance by the broad medical community has been hindered by this uncertainty he wrote later adding that another source of confusion is the wide array of diseases that some claim ubi can treat which can appear too good to be true morehow to tell the difference between coronavirus symptoms and allergies dr edzard ernst professor emeritus at the university of exeter and an authority on complementary medicine wrote a blog post about ubi following trumps comments last week in which he called it an invasive treatment where lots of things might go badly wrong yes there are quite a few papers on ubi and related methods he said but most of them are invitro studies while robust clinical trials are missing completelydr mitchell grayson a professor of pediatrics and chief of the division of allergy and immunology at nationwide childrens hospital and the ohio state university told usa today he has not had experience with any sort of ultraviolet light injection like the one shown in the photographit doesnt make any sense from a medical standpoint he said and since coronavirus lives primarily in a persons lung and intestinal cells grayson said he would be skeptical about the effectiveness of ultraviolet irradiation in the bloodstream as a prospective treatment for covid19 if someone coughs on a park bench and its out in the sunlight for a few hours that is probably going to work he said or if the blood bank wants to make sure theres no coronavirus in blood products they can irradiate it but in a living being i think its unlikely to be done and successfulour ruling false while ultraviolet blood irradiation exists it is unproven as an effective treatment in killing infections and is not widely used there have been studies on ultraviolet blood irradiation in the past but experts say such treatments need proven clinical trials to gain acceptance among the wider medical community there is also not research proving ubi as a treatment for the coronavirus based on our research we rule as false the claim that uv light has been injected into the body for years to kill viruses and bacteria", + "https://www.usatoday.com/", + "TRUE", + 0.1018547544409614, + 1161 + ], + [ + "In COVID-19 Research, the Need for Speed… and Accuracy", + "early in the covid19 pandemic a group of us scientists made a major discovery they figured out the molecular structure of the spike protein that the sarscov2 virus uses to invade human cellsthe researchers were eager to share the news that could help develop potential vaccines and drugs although the usual scientific publication process from submission to publication is measured in months the spike paper blazed through it in 9 days and was published online in science on february 19which is incredible says sudip parikh phd ceo of the aaas and executive publisher of the science family of journals he remembers telling reviewers to drop everything in order to expedite the process as covid19 continues to burn through the populations worldwide biological epidemiological and other insights are informing public health strategies and policies in real time new research can mean lives savedfor example a recent chinese study in nature that supported the use of face masks by the general public appears to have influenced policy in the us and parikh notes that modeling studies conducted at harvard columbia northeastern university and imperial college of london profoundly influenced the pandemic response by prompting the adoption of social distancing measures across the us and europe if my mom knows about flattening the curve weve struck something he saysin addition to those studies scientists have produced an astounding 17000 covid19 research articles listed in a cdc database but does speed have a price in accuracy not in the case of the spike paper parikh says the reviewers who examined the research held it to their usual rigorous standards but accelerated the pace because of the studys importance parikh admits that kind of speed isnt always possible scientific journals dont have enough bandwidth to publish everything they see that quickly while maintaining their traditional standards but they can do so in a targeted way to get the most important work out the door without delay he saysthe challenge he says lies in curating the flood of material being produced and publishing the most significant work as quickly as possible overall parikh says he doesnt see a decline in the quality of the research being submitted to peerreviewed outletsthough studies appearing on preprint servers without peer review may be suspect peer review which traces its roots back 3 centuries involves the close study of a papers merits and flaws by experts in the field preprint articles are draft articles that havent yet been peer reviewed theres probably a lot of stuff out there that will need to be corrected says parikh who is nonetheless amazed by how quickly labs around the world have pivoted to produce highquality coronavirus research sander greenland drph a professor emeritus of epidemiology and statistics at ucla thinks the question of whether research conducted under crisis conditions can be trusted may be misplaced studies have limitations even under the best of circumstances and reliability is always a matter of degreeevery study is flawed the question is what can you get out of it and for what purpose he says at the moment greenland says the lack of certain kinds of data may represent the principal challenge to an effective pandemic response researchers need to know the false positive and negative rates of the tests used to identify infected individuals for example in order to understand how prevalent covid19 really isand what the true fatality rate might be but test manufacturers are not necessarily supplying that datasimilarly doctors need to know exactly how many patients diagnosed with covid19 are dying due to underlying conditions or complications from coinfections in order to understand how virulent the virus really is and who most needs protection from it but that data is not being systematically collected and reported\nwithout that information greenland says scientists and policymakers are left to make educated guesses about everything from infection rates to control measures its like trying to predict where the stock market is going to be in 3 months he says better data collection and reporting would help resolve these issues greenland notes then again researchers are used to dealing with incomplete data during epidemics pandemics and outbreaksthere is always a paucity of data under these conditions says stephen morse phd an infectious disease epidemiologist at columbia universitys mailman school of public health testing tends to be highly selective for example and random samples are hard to come by but math can help researchers deal with gaps in their data for instance morse points out that epidemiologists have developed a variety of statistical methods for estimating the values of missing dataa process known as imputation and valuable work can still be done using traditional epidemiological methods such as contact tracing in singapore morse notes contract tracers used a new antibody test to identify previously unidentified chains of transmissionan important step in containing the virus moving forward morse hopes the current crisis will motivate researchers to finally put in place things we have thought and talked about but never implemented such as better early surveillance and rapid diagnostic tests to help contain future outbreaksfor his part parikh believes that some of what scientists have already learned about operating during the pandemicfrom streamlining the review process to adopting virtual clinical trials that allow researchers to collect participant data remotely without having people appear at clinic siteswill provide lasting benefits long after the crisis is over i think were going to think of this as bc and ac he says before coronavirus and after coronavirus", + "https://www.globalhealthnow.org/", + "TRUE", + 0.1053469387755102, + 914 + ], + [ + "What do frontline health care workers need most when they face an outbreak like this?", + "health care workers are our first line of defense against disease whether coronavirus or otherwise in order to safely and effectively do their jobs they need to both have proper training and the right protective equipment this keeps them safe from infection in peace time and during a large outbreak like we have now\nhealth care workers are often the first affected by these types of outbreaks and to some extent can act as a canary in the coalmine for how infectious a new disease outbreak is in the past health care workers have died from infections and also amplified initial cases spreading the outbreak quickly if we are to protect health workers and limit transmission we must do more to ensure the right training and the right equipment are available all the time and not just once an outbreak has startedhealth workers are making heroic efforts in china where they have converged on the epicenter they can only protect us if they are protected", + "https://www.globalhealthnow.org/", + "TRUE", + 0.2772847522847523, + 165 + ], + [ + "Study finds no benefit, higher death rate in patients taking hydroxychloroquine for Covid-19", + "coronavirus patients taking hydroxychloroquine a treatment touted by president trump were no less likely to need mechanical ventilation and had higher deaths rates compared to those who did not take the drug according to a study of hundreds of patients at us veterans health administration medical centers\nthe study which reviewed veterans medical charts was posted tuesday on medrxivorg a preprint server meaning it was not peer reviewed or published in a medical journal the research was funded by the national institutes of health and the university of virginiain the study of 368 patients 97 patients who took hydroxychloroquine had a 278 death rate the 158 patients who did not take the drug had an 114 death rate\nan association of increased overall mortality was identified in patients treated with hydroxychloroquine alone these findings highlight the importance of awaiting the results of ongoing prospective randomized controlled studies before widespread adoption of these drugs wrote the authors who work at the columbia va health care system in south carolina the university of south carolina and the university of virginia\nresearchers also looked at whether taking hydroxychloroquine or a combination of hydroxychloroquine and the antibiotic azithromycin had an effect on whether a patient needed to go on a ventilatorin this study we found no evidence that use of hydroxychloroquine either with or without azithromycin reduced the risk of mechanical ventilation in patients hospitalized with covid19 the authors wrotethere are currently no products approved by the us food and drug administration to prevent or treat covid19 although research is underway on many drugs\nhydroxychloroquine has been used for decades to treat patients with diseases such as malaria lupus and rheumatoid arthritis trump has touted the drug as a game changer for covid19 and said hydroxychloroquine shows tremendous promise\nphysicians have warned that while trump is enthusiastic about the drug it still needs to be studied to see if it works and if its safein another recent study researchers in france examined medical records for 181 covid19 patients who had pneumonia and required supplemental oxygen about half had taken hydroxychloroquine within 48 hours of being admitted to the hospital and the other half had notit found there was no statistically significant difference in the death rates of the two groups or their chances of being admitted to the intensive care unit however it found eight patients who took the drug developed abnormal heart rhythms and had to stop taking it this research also has not yet been peerreviewed or published in a medical journal", + "https://www.cnn.com/", + "TRUE", + 0.06587301587301587, + 420 + ], + [ + "What should I do if someone in my houes gets sick with COVID-19?", + "most people who get covid19 will be able to recover at home cdc has directions for people who are recovering at home and their caregivers including\nstay home when you are sick except to get medical carewhen to seek emergency medical attention look for emergency warning signs for covid19 if someone is showing any of these signs seek emergency medical care immediately trouble breathing persistent pain or pressure in the chest new confusioninability to wake or stay awake bluish lips or face this list is not all possible symptoms please call your medical provider for any other symptoms that are severe or concerning to youcall 911 or call ahead to your local emergency facility notify the operator that you are seeking care for someone who has or may have covid19use a separate room and bathroom for sick household members if possiblewash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol always wash hands with soap and water if hands are visibly dirtyprovide your sick household member with clean disposable facemasks to wear at home if available to help prevent spreading covid19 to others\nclean the sick room and bathroom as needed to avoid unnecessary contact with the sick personavoid sharing personal items like utensils food and drinks", + "https://www.cdc.gov/", + "TRUE", + -0.11306926406926408, + 245 + ], + [ + "The flu kills more people than COVID-19, at least so far. Why are we so worried about COVID-19? Shouldn't we be more focused on preventing deaths from the flu?", + "youre right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19", + "https://www.health.harvard.edu/", + "TRUE", + -0.12071428571428573, + 96 + ], + [ + "Do I need to wash fruits and vegetables with soap and water?", + "no the us food and drug administration says you dont need to wash fresh produce with soap and water but you should rinse it with plain water\nbut its still important to wash your hands with soap and water frequently because we often touch our faces without realizing it and thats a very easy way for coronavirus to spreadyou dont have to worry about getting coronavirus by eating it though even if coronavirus does get into your food your stomach acid would kill it said dr angela rasmussen a virologist at columbia university", + "https://www.cnn.com/", + "TRUE", + 0.22980952380952382, + 93 + ], + [ + "Are hand dryers effective in killing the new coronavirus?", + "no hand dryers are not effective in killing the 2019ncov to protect yourself against the new coronavirus you should frequently clean your hands with an alcoholbased hand rub or wash them with soap and water once your hands are cleaned you should dry them thoroughly by using paper towels or a warm air dryer", + "https://www.who.int/", + "TRUE", + 0.14727272727272728, + 54 + ], + [ + "Can a person who has had coronavirus get infected again?", + "while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could diminish over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen before", + "https://www.health.harvard.edu/", + "TRUE", + 0.05238095238095238, + 81 + ], + [ + "Past Coronavirus Research Grants Are Being Used To Smear Anthony Fauci", + "the national institutes of health has given millions of dollars to scientists studying coronaviruses that funding didnt cause the covid19 pandemicrightwing media and conspiracy theorists have seized on a series of grants awarded over the course of six years to study coronaviruses to undermine dr anthony fauci the immunologist whos been at the helm of the national institute of allergy and infectious diseases since 1984 the narrative moved to the spotlight at the white house when during a press conference on april 17 a reporter with newsmax asked president donald trump about the grants totaling 37 million since 2014the daily mail a british tabloid known for publishing unreliable stories first reported the 37 million figure on april 11 the paper wrote a story on the funding parts of which went to the wuhan institute of virology in china although the article stated that theres no evidence the novel coronavirus leaked from the lab it implied a correlation between the grants and the pandemic the revelation that the wuhan institute was experimenting on bats from the area already known to be the source of covid19 and doing so with american money has sparked further fears that the lab and not the market is the original outbreak sourcethose questions have had real effects politico reported on april 27 that the national institutes of health would be revoking grants given to new yorkbased nonprofit organization ecohealth alliance in 2019 including funds for 2020 that the nonprofit now has to returnbut in reality the grants appear to have nothing to do with the coronavirus pandemic in fact they were awarded after a different kind of coronavirus sars spread across the world in 2003 the nih also didnt give the funds directly to the wuhan institute instead awarding them to ecohealth alliance which invests in health research globally the money helped support research that led to 20 research papers on coronaviruses published over the six years according to the nih its not clear whether fauci was personally involved in the grants in any wayaside from the wuhan institute those funds also went to research facilities in shanghai beijing and singapore the grants were meant to support research that aims to understand what factors allow coronaviruses including close relatives to sars to evolve and jump into the human population and cause disease called a spillover event an nih spokesperson told buzzfeed newsmost emerging human viruses come from wildlife and these represent a significant threat to public health and biosecurity in the us and globally as demonstrated by the sars epidemic of 200203 and the current covid19 pandemic the spokesperson said the project includes studying viral diversity in animal bats reservoirs surveying people that live in highrisk communities for evidence of batcoronavirus infection and conducting laboratory experiments to analyze and predict which newly discovered viruses pose the greatest threat to human healththe grant also wasnt the first awarded to ecohealth alliance the nih has been funding infectious disease research projects through the nonprofit since 2005\nbut the daily mail failed to note that context as did the newsmax reporter who on april 17 asked trump there was also another report saying that the nih under the obama administration in 2015 gave that lab 37 million in a grant why would the us give a grant like that to chinanewsmax reporter emerald robinson did not return a request for commentfor joan donovan the director of the technology and social change project at harvards shorenstein center the attacks and conspiracies are part of a larger narrative undermining fauci and his work if you dont trust the scientist you dont trust the science donovan saidand the rightwing media and conspiratorial youtube channels have used the grants to stoke that distruston april 26 trump attorney rudy giuliani called for an investigation of the grant on a new york morning radio show falsely and without evidence the former mayor of new york implied the virus was created as a biological weapon blaming fauci and the administration of president barack obamachina for the last 10 to 12 years has been carrying on these experiments including in this wuhan laboratory with animals and actually making this virus more dangerous giuliani said on the show you could say thats for scientific purposes or you could say thats for the purpose of weaponizing thempaid for the damn virus thats killing us giuliani rips fauci over grants to wuhan laboratory said a washington examiner headline on april 26 gathering over 150000 facebook likes shares and commentsanthony fauci should explain 37 million to the wuhan laboratory read a headline in the washington times on april 27 which received over 165000 facebook likes shares and commentsrep matt gaetz and newsweek may have also perpetuated the falsely shaded narrative but the most popular piece of content about the grants came from the next news network a youtube channel known for circulating baseless claims including a fabricated story about president bill clinton sexually assaulting a teenager hosted by commentator and conspiracy theorist gary franchi the channel has over a million subscribers and surpassed a billion views in december according to forbeson april 19 the next news network posted a video about the grants which has received over 23 million views in it osteopath rashid buttar drew a direct line between the grant fauci and the pandemic according to youtube the video did not violate the social media companys policiesis fauci directly responsible for this pandemic franchi asked buttar in the clipim going to say this ive seen some petitions going around buttar responded i think hes a criminal hes going against the law hes going against the governmentfranchi told buzzfeed news he was asking buttar to clarify his belief that dr faucis work with coronaviruses has led to the pandemiche added the video as a whole revolves around president trump responding to a reporter that he is investigating the widely reported 37 million dollars sent to the wuhan lab in 2015 by the nih to continue coronavirus research after a moratorium was placed on such research in the united states and dr faucis involvement with the funding of that researchin addition to spreading conspiracy theories about the pandemic buttar has a history of action taken against him by medical authorities in 2010 the north carolina medical board reprimanded him for among other complaints three cancer patients who sought treatment from him and paid for treatment that had no known value for the treatment of cancerbuttar has spent years selling skin drops at 150 a bottle as a treatment for diseases ranging from autism to cancer wcnc reported at the timein 2013 the fda sent buttar a warning letter for promoting and distributing unapproved medical products on his websites and buttar did not respond to a request for comment on his statements about dr faucithe medical board and fda have a responsibility to make sure doctors dont push too close to the edge he said in an emailed statement to buzzfeed news the regulatory bodies serve an important function and are needed to safeguard the public", + "https://www.buzzfeednews.com/", + "TRUE", + 0.07497594997594996, + 1174 + ], + [ + "Should I get a flu shot?", + "while the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.45555555555555555, + 68 + ], + [ + "With social distancing rules in place, libraries, recreational sports and bigger sports events, and other venues parents often take kids to are closing down. Are there any rules of thumb regarding play dates? I don't want my kids parked in front of screens all day", + "ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contactoutdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoorsyou can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outsideyou can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room", + "https://www.health.harvard.edu/", + "TRUE", + 0.29103641456582635, + 190 + ], + [ + "What is the source of the virus?", + "covid19 is caused by a coronavirus called sarscov2 coronaviruses are a large family of viruses that are common in people and may different species of animals including camels cattle cats and bats rarely animal coronaviruses can infect people and then spread between people this occurred with merscov and sarscov and now with the virus that causes covid19 the sarscov2 virus is a betacoronavirus like merscov and sarscov all three of these viruses have their origins in bats the sequences from us patients are similar to the one that china initially posted suggesting a likely single recent emergence of this virus from an animal reservoir however the exact source of this virus is unknownmore information about the source and spread of covid19 is available on the situation summary source and spread of the virus", + "https://www.cdc.gov/", + "TRUE", + 0.07207792207792209, + 133 + ], + [ + "There is no link between the coronavirus and 5G technology.", + "the eu has the highest consumer standards in the world it is the reason that we can walk into a shop and feel confident in the products we buy 5g is held to these incredibly high standards in fact our standards are far above those indicated by international scientific evidence because in the eu people come first\n\nthere is no connection between 5g and covid19 the coronavirus is a virus that is spread from one person to another through droplets that people sneeze cough or exhale 5g is the new generation of mobile network technology that is transmitted over nonionising radio waves there is no evidence that 5g is harmful to peoples health the outbreak of coronavirus in the chinese city of wuhan is unrelated to 5g and is thought to have originated in a seafood wholesale market", + "https://ec.europa.eu/", + "TRUE", + 0.14329545454545456, + 138 + ], + [ + "My parents are older, which puts them at higher risk for COVID-19, and they don't live nearby. How can I help them if they get sick?", + "caring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touch", + "https://www.health.harvard.edu/", + "TRUE", + -0.13095238095238096, + 111 + ], + [ + "COVID-19 originated in China", + "the consensus among researchers studying the spread of the virus pinpoints covid19s likely origin to a wet market or live animal market in wuhan china though experts have not ruled out the possibility that the pathogen could have been brought to the market by an already infected person there is no evidence to suggest covid19 originated outside the countrythe origin theory for the virus is supplemented by preliminary research into the diseases genome as well as the origins of similar diseases researchers at the shanghai public health clinical centre published the genome of covid19 two weeks after cases were reported in late december 2019 gene sequencing analysis strongly suggests the virus originated in bats and was transferred to humans through a yetunidentified intermediary species in early february chinese researchers published work suggesting the intermediary species may have been the pangolin also called a scaly anteater though this work has not yet undergone a peerreviewed studythe conditions for such interspecies pathogen transfer are ripe in wet markets which are common in parts of asia africa and latin america severe acute respiratory syndrome or sars resulted from a virus transferring from bats to civet cats and then humans sars discovered in 2003 originated at a wet market similar to the one now suspected to be the origin of covid19other claims and theories about the origins of covid19 including that the virus was brought to by the us army during the military world games in october in wuhan are unsubstantiated and not supported by research into the virusresearchers at eth zurich released a study in early march that placed the origins of covid19 in november at the earliest research published by the scripps research institute in february strongly implies that the virus in humans arose naturally through interspecies transfer putting its origin in late november or early december 2019 both studies point to the viruss origin in hubei province china", + "https://www.usatoday.com/", + "TRUE", + 0.031955922865013774, + 317 + ], + [ + "How soon after I'm infected with the new coronavirus will I start to be contagious?", + "the time from exposure to symptom onset known as the incubation period is thought to be three to 14 days though symptoms typically appear within four or five days after exposurewe know that a person with covid19 may be contagious 48 to 72 hours before starting to experience symptoms emerging research suggests that people may actually be most likely to spread the virus to others during the 48 hours before they start to experience symptomsif true this strengthens the case for face masks physical distancing and contact tracing all of which can help reduce the risk that someone who is infected but not yet contagious may unknowingly infect others", + "https://www.health.harvard.edu/", + "TRUE", + 0.11388888888888889, + 109 + ], + [ + "How to wash fruits and vegetables?", + "fruits and vegetables are important components of a healthy diet wash them the same way you should do under any circumstance before handling them wash your hands with soap and water then wash fruits and vegetables thoroughly with clean water especially if you eat them raw", + "https://www.who.int/", + "TRUE", + 0.17264957264957262, + 46 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke one study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe disease neurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptoms\nexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 184 + ], + [ + "COVID-19 Pandemic", + "a pandemic is a global outbreak of disease pandemics happen when a new virus emerges to infect people and can spread between people sustainably because there is little to no preexisting immunity against the new virus it spreads worldwidethe virus that causes covid19 is infecting people and spreading easily from persontoperson on march 11 the covid19 outbreak was characterized as a pandemic by the whoexternal iconthis is the first pandemic known to be caused by a new coronavirus in the past century there have been four pandemics caused by the emergence of new influenza viruses as a result most research and guidance around pandemics is specific to influenza but the same premises can be applied to the current covid19 pandemic pandemics of respiratory disease follow a certain progression outlined in a pandemic intervals framework pandemics begin with an investigation phase followed by recognition initiation and acceleration phases the peak of illnesses occurs at the end of the acceleration phase which is followed by a deceleration phase during which there is a decrease in illnesses different countries can be in different phases of the pandemic at any point in time and different parts of the same country can also be in different phases of a pandemic", + "https://www.cdc.gov/", + "TRUE", + 0.07924071542492594, + 205 + ], + [ + "Coronavirus lockdown: When will it end and how?", + "we have gone weeks without seeing friends and family without school holidays or even being able to go to workon 10 may boris johnson is expected to address lockdown measures although people should not expect big changesso what can be lifted and whenwhy cant we just lift lockdownthis virus remains massively contagious before lockdown one infected person passed it onto at least three others on average the so called rnumberand less than 5 of the uk population is estimated to have been infected or to put that another way more than 63 million are still vulnerable\nif we just lift the lockdown then another explosive outbreak is inevitableis there any wiggle roomthe goal of lockdown has been to cut infections by around 70 to force the rnumber below one the point at which the outbreak starts to decline that has been achievedhowever it is only just below onethere isnt much wiggle room a source within the governments science advisers told me adding the country cant make a huge number of changesone set of modelling suggests opening schools and nothing else would be enough to almost tip us back into rising caseswhat will test track trace achievethe aim is to create more wiggle room you identify cases and then perform rapid contact tracing and put those at risk in quarantinethis strategy also called seek and destroy will be supported by a voluntary smartphone app which will help identify contactsthe more successfully this is done the more it will reduce the ability of the virus to spread and the more restrictions can be lifted on daytoday lifeat the moment you need on average a 6070 reduction in social interactions to stop the outbreak increasing said dr kucharskiif we can get that down to 30 that gives you a lot more to play withbut even this is not life as normal and other measures would still be needed to keep the disease in checkit is a more moderate version of where we are now said dr kucharskiwhat about protecting those at riskanother strategy proposed by some is enhanced shieldinginstead of trying to suppress the coronavirus across every section of society you could instead aim to stop it completely for the most vulnerableprof mark woolhouse from the university of edinburgh said very crudely for 80 of us who are not vulnerable this is a nasty virus but it wouldnt overwhelm the healthcare system and it wouldnt lock down societyif we really bolster that shielding make a very strong shield indeed then it buys you a lot more room and it may mean you can relax some measures permanentlythat would mean all staff hospitals care homes or anyone visiting those deemed vulnerable being regularly tested to ensure they are clear of the virus ideally antibody tests would prove they are immune to itthe danger is having more virus circulating in the community could put those shields under intense pressurewhich lockdown measures could be liftedsome restrictions are less risky in terms of spreading the virusessentially weve got a lot of not very good options it wont be one day and everything will change but things could open up dr adam kucharski from the london school of hygiene and tropical medicine told the bbcdr kucharski argues lifting different restrictions can be put into three broad categories those with low moderate and substantial risk of increasing transmission of the viruslow risk includes exercising outdoors which has been restricted in some countrieswales has already announced that from 11 may people will be able able to exercise more than once a daymoderate risk would include letting some nonessential shops reopen or having occasional gatherings with people outside the householdsubstantial increases could come from lifting advice to work from home reopening schools or isolating sick people and quarantining householdsi think the order things went in will be reflected in the order things will be lifted he saysthere remains a nervousness within the scientific advice to government about lifting restrictions in areas like pubs whose whole purpose is to bring people togetherand there is an emerging question around primary schools as young children some studies suggest cannot be infected as easilywhen could restrictions be lifted\nthere is a decision about how far we go with suppressing the virus now weve passed the peakwe could drive levels down as low as possible that will greatly limit the ability of the virus to bounce back in a second wave and make testing and contact tracing more likely to be effective the tradeoff is maintaining the lockdown for longeror we could exit lockdown now and accept having a higher number of cases which creates its own problemswhat could shift the balancethe biggest thing that could come along is a vaccine as immunising people would mean there was no need for any social distancing measures that is thought to be more than a year awayfailing that the concept of herd immunity may kick in when around 70 of the population have been infected and the virus can no longer cause large outbreakseffective drugs would also make a huge difference if they could stop covid19 progressing from a cough or fever into a serious disease needing intensive carewe might get closer to normality or at least normality for some in the months to come but we are all still in this for the long haul", + "https://www.bbc.com/", + "TRUE", + 0.1020671098448876, + 888 + ], + [ + "Here's everything you need to know about social distancing", + "to stop the spread of coronavirus health officials have instructed the public to practice social distancing staying home avoiding crowds and refraining from touching one anotheralthough living like that can be lonely inconvenient and even frightening its for the greater good says danielle ompad an associate professor at new york universitys school of global public healthits uncomfortable she told cnn but it requires us to be good citizens people have to learn how to think about the collective rather than the individualto help you do that we answered your biggest questions about social distancing yes the grocery store is one of the few public places you can still go just be strategic about itdr william schaffner a professor at vanderbilt university school of medicine suggests going to the store when you suspect less people will be shopping this could be late at night or early in the morningmake sure to thoroughly wash fruits and veggies after you buy them and wash your hands after touching boxes and before eatingnot sure what to buy heres a sample checklist of foods to stock up on so you wont make multiple tripscan i order takeoutsure can theres no evidence that the virus can live in food so whatever you eat should be safestill its a good idea to disinfect the takeout containers and wash your hands afterward says dr sanjay gupta cnn chief medical correspondentordering takeout also helps restaurants and delivery drivers who may be losing money during the pandemicdr celine gounder an infectious disease specialist at bellevue hospital center suggests paying and tipping online and asking the delivery person to leave your food outside the door to avoid interactionshould i use public transportationif you can avoid it you should packing into a crowded poorly ventilated subway car or bus can heighten your risk of infection\nif you need to use public transportation to get to work carry disinfecting wipes to clean seats and poles and wash your hands as soon as your commute is over\nif i still need to work how can i keep myself safepractice as much social distancing as your work allows wash your hands constantly and if your occupation requires it wear a face maskcan i go anywhereyes a few places grocery stores doctors offices and some outdoor areas but right now staying home as much as possible is the best way to lower infection rates according to the centers for disease control and prevention cdcrestaurants places of worship movie theaters sports venues museums and more have already started closing save a trip to these places until government and health officials say its safe to visittravelcan i still travelunder most circumstances you shouldntthe us state department issued a level 4 do not travel advisory the most severe warning urging americans to cancel travel abroadairplanes trains buses and cruise ships can pack a lot of people in close quarters for long periods of time which is a recipe for virus transmission\nif youre going for vacation i would suggest you dont go says ompad the nyu professor i definitely dont suggest you visit sick or elderly family but some people dont have a choice they have to travel work for airlines or trains or theyre traveling because theyre doing covid19 work or they cant afford to not do their jobsbut the fewer of us who travel the safer those essential workers will be she saysif im traveling abroad should i return to the usyes the state department has advised americans living or traveling internationally to return to the us immediately if americans abroad do not return soon they risk getting stuck in a foreign country for an indefinite period of timehealthshould i wear a face mask in publicprobably not masks keep germs in by preventing sick people from coughing or sneezing into the air but they dont protect healthy people from coming into contact with those germssick people should stay home and avoid inperson contact with others until theyve recovered if available sick people and those who live with them can wear masks at home the cdc sayscan i exerciseyes outdoors or at home its not a good idea to visit a gym thoughdistance is key going on a secluded run walk or bike ride are fine ways to stay active outside just maintain at least six feet of distance from other peopleat home you can download exercise videos or apps and follow their instructions theyre usually designed with minimal equipment in mind or you can follow these tips from cnn contributor dr melinda jampolis on how to work out at homecan i go to the doctor or dentistnot unless you have an urgent appointment or are seeking help due to coronavirus symptomsits best to cancel any appointments or elective procedures that arent critical says dr carla perissinotto associate professor at the university of californiasan franciscos department of medicineif you do have a critical appointment ask your provider about telehealth appointments that dont require you to come into an officeif you think youre experiencing covid19 symptoms call a physician before showing up at an office so you dont put yourself and others at a higher risk of infectionfamily friendscan i visit older family membersyou shouldnt adults over 60 are at a higher risk of serious infection from covid19 and you could unwittingly infect them the best thing older adults can do is stay home and away from others as much as possiblekeep in touch with them over the phone or with video calls if they live nearby offer to help them with groceries or medications they may need while homecan my friends come overthey shouldnt visitors arent a great idea right now ompad said even if they are your friendsbut distancing yourself doesnt mean you have to be lonely instead host video hangouts with friends or call them regularlyompad talks with her colleagues and friends on zoom a video conference service she and her pals cook together and chat about their days its a way to stay sane while staying home even if all the interaction is virtualsocial distancing does not mean social isolation its really important we maintain our social connections ompad sayscan i schedule playdates for my kidsno kids arent considered a highrisk group for covid19 but they can still spread the virusits not yet clear how infectious they are so its best to keep children apart from each other and if possible out of your homeplus kids might not heed the sixfeet distance or constant handwashing ruleswe know that kids touch each other and rough house with each other and so we really want to be mindful about reducing that interpersonal contact and any potential spread says dr asaf bitton of ariadne labs a health innovation centerwhere can my kids playgoing outside is still okay just supervise your children to make sure they keep their distance from other kids ompad saysif you dont have a backyard large parks where you can maintain a significant distance from other families should be fine but avoid playgrounds where germs can lurk on slides and swings she sayscan i take my kids to daycareif its your only option then yes but before you do call the daycare center or meet with staff to ensure theyre implementing social distancing measuresif you urgently need child care ask a healthy family member to watch your child and maintain proper distancing measures if you work with a regular babysitter or nanny use caution they should be keeping themselves healthy on their own but may be putting themselves at risk while commuting to workdo i need to distance myself from my childprobably not ompad says unless either of you are showing symptoms of sicknessunder most circumstances if you and your child are living in the same home you dont need to keep six feet of distance but if possible limit excessive physical contactif my family member or roommate works in health care do i need to distance myself from themhealth care workers are at a higher risk of infection so its wise to distance yourself from thememory university epidemiologist rachel patzer tweeted that her husband a physician who treats covid19 patients moved into the garage to avoid infecting their young childrenit is difficult to see pictures of all the people at bars and restaurants socializing making play dates and ignoring social distancing recommendations when i know my husband and many other healthcare workers are risking their lives to treat more sick patients she wrote please take this pandemic seriously\nhow long will we have to keep social distancingprobably for several months but we may have to do it over and over again since the outbreak could come in wavesresearch by the imperial college in great britain would suggest you have to institute these kinds of measures for five months very vigorously says gounder the infectious disease specialistand then you may be able to relax for a period and then you would reinstitute as the cases go up again but were basically looking at doing this over and over and over again even after a fivemonth period of strict social distancing in order to curb cases until we have a vaccine", + "https://www.cnn.com/", + "TRUE", + 0.10641878954378953, + 1525 + ], + [ + "How did Covid-19 start?", + "the disease appears to have originated from a wuhan seafood market where wild animals including marmots birds rabbits bats and snakes are traded illegally coronaviruses are known to jump from animals to humans so its thought that the first people infected with the disease a group primarily made up of stallholders from the seafood market contracted it from contact with animalsthe hunt for the animal source of covid19 is still unknown although there are some strong contenders a team of virologists at the wuhan institute for virology released a detailed paper showing that the new coronaviruses genetic makeup is 96 per cent identical to that of a coronavirus found in bats while a study published on march 26 argues that genetic sequences of coronavirus in pangolins are between 885 and 924 per cent similar to the human virus some early cases of covid19 however appear to have inflicted people with no link to the wuhan market at all suggesting that the initial route of human infection may predate the market casesthe wuhan market was shut down for inspection and cleaning on january 1 but by then it appears that covid19 was already starting to spread beyond the market itself on january 21 the who western pacific office said the disease was also being transmitted between humans evidence of which is apparent after medical staff became infected with the virus", + "https://www.wired.co.uk/", + "TRUE", + 0.06189674523007856, + 229 + ], + [ + "Global coordination on cross-border travel and trade measures crucial to COVID-19 response", + "when who declared the covid19 outbreak a public health emergency of international concern pheic on jan 30 2020 under the provisions of the international health regulations 2005 ihr it recommended against any travel or trade restrictionthe recommendation was based on data available at the time evidence from previous outbreaks and principles underpinning the ihr it formed an important part of whos messaging about how states could effectively respond in a coordinated way instead over the following months according to who 194 countries adopted some form of crossborder measureeg travel restrictions visa restrictions border closures among otherswith little reproach from who or other actors in the international community this response is a sharp increase from at most 25 of member states that imposed trade and travel restrictions during the 2009 h1n1 influenza pandemic and the 201316 outbreak of ebola virus disease in west africa indeed whos recommendation against measures such as travel restrictions and border closures became a point of criticism of the organisations role at the early stages of the covid19 pandemicthe universal adoption of crossborder measures raises fundamental questions about what coordination means during a pandemic and what role who has in facilitating this coordinated action among states in an interconnected world underpins effective prevention detection and control of disease outbreaks across countries as parties to the ihr governments agree that coordination is important to ensure that measures do not unnecessarily disrupt international trade and travel thus during major disease outbreaks part of whos role is to provide evidenceinformed guidance on crossborder measuresa wider range of crossborder measures have been adopted by countries during the covid19 pandemic than in past disease outbreaks not all these measures fall under the ihr but patterns of adoption point to several knowledge gaps first what measures have been adopted over time and space not only by member states but also by commercial companies such as airlines and cruise ships companies do not fall under the remit of the ihr but their actions have had clear consequences there is a need to track the full range of crossborder measures panel adopted during the covid19 pandemic the specific requirements they impose and for member states consistency with the ihr", + "https://www.thelancet.com/", + "TRUE", + 0.103494623655914, + 364 + ], + [ + "Will Hot Weather Kill the Coronavirus Where You Live?", + "for many people living with the crushing consequences of covid19 the summer offers a tantalizing possibility if the coronavirus behaves like the seasonal flu warm weather could substantially weaken the virus and allow normal life to resume president trump predicted exactly this outcome in february claiming the virus would miraculously go away by april as temperatures rosea new working paper tries to put that speculation to rest by tracking how weather and other environmental conditions such as pollution affect the viruss spread around the worldthe forecast from researchers is grim warm weather alone will not control the virus in america or abroad here are the results for the united states showing weather on its own cannot meaningfully reduce infections to the rate of 1 new case per every infected person the point by which the number of infections falls continuouslywithout social distancing and other interventions summer will offer only a modest respite in some places meaning stayathome orders and other government interventions will most likely need to continue throughout the summerat the end of the day this whole effect from weather and pollution is still pretty minor said mohammad jalali an assistant professor at harvard medical school and one of the studys authors no government should rely on the effect of the weatherthe study conducted by researchers at six academic institutions found that warm weather could play a small role in slowing the virus in at least a few places and for a few months in some of the hottest cities in the united states like phoenix high temperatures could drive down the rate of infections by over 40 percent in parts of india and pakistan conditions during the hotter months could make the virus less than half as likely to infect new hosts\nfor regions facing cold bitter winters weather has the opposite effect increasing the rate of infections and making it even harder to control the virus\nlike all weather forecasts there is significant uncertainty about the results researchers will continue to debate the measurements and methodology others may come up with alternative projections but all the evidence available suggests weather plays a role with coronavirus transmission but only a small one\nhere is how those predictions look in every us county for the next yearin new york city weather could reduce the rate of infections by a quarter during the hottest months but by winter those benefits likewise fade when cold weather could boost transmissions slightlyheaded into summer governors have already signaled their eagerness to give up social distancing and reopen their economies before passing the white houses own guidelines for testing and new infections the warm weather effects could help justify those decisions in the short term as governors point to falling infections as a sign that the virus is defeatedbasing policy decisions on the assumption of seasonality is dangerous said anice lowen a professor of microbiology and immunology at emory university which was not affiliated with this study possibly well see slower spread in the summer but even that summer spread could seed the virus in a quiet way and then come winter it would be a bigger problem than it would have beenthere are some silver linings however rather than relying on weather alone to slow the spread its possible that warm temperatures will work alongside other interventions to adequately slow the virus heres how that worksits not fully understood how warm weather controls the spread of the virus\nakiko iwasaki an immunologist at yale university who wasnt affiliated with this study said that people are more susceptible to infections in other respiratory viruses when the air they breathe is cold or particularly dryresearch has also shown that the hotter it is the faster some viruses will break down outside of a human host scientists have found evidence that this coronavirus dies in warmer weather as well and dry air helps respiratory viruses in droplets expelled from a persons nose or mouth stay in the air longer making them more likely to infect someone elsesome differences may be driven by how people react to the weather regions with more ultraviolet light like colombia and ecuador were associated with higher transmission rates in the study even though its believed that ultraviolet light can destroy the virus hazhir rahmandad a coauthor of the study from the massachusetts institute of technology suggested a high uv index could drive people indoors where its easier to spread the virusits a combination of host susceptibility and viral stability dr iwasaki said in dry and colder conditions the virus survives better combined with the fact that host resistance in those conditions is impairedas it becomes harder for the virus to find new people to infect its likely that covid19 will ebb and flow with the seasons according to dr lowen the emory microbiology professor but for now too many are susceptible to the virus for the weather to influence when and where infections will rise and fall\nwhat has undoubtedly influenced the viruss spread however is the human factor decisions made by governments and individuals alike while the weather effects are slight some countries have successfully controlled the virusthe weather cant be controlled but our actions can", + "https://www.nytimes.com/", + "TRUE", + 0.07530078563411897, + 866 + ], + [ + "What we know about potential coronavirus vaccines and treatments", + "although physicians still have no vaccine or cure for the novel coronavirus health officials and pharmaceutical companies around the world are working hard to develop themmore than 20 potential vaccines aimed at preventing coronavirus disease are in development around the world the world health organizations directorgeneral said fridaybut health officials have consistently said it will take at least a year before any vaccine is proven effective and gets necessary approvals for wide distributionmeanwhile several treatments aimed at healing patients or alleviating symptoms already are in clinical trialshere are some recent developments in the race for treatments and vaccines for the novel coronaviruspotential treatments the antiviral drug remdesiviran existing antiviral drug remdesivir is showing signs of helping to treat this new coronavirus the world health organization has saidthere is only one drug right now that we think may have real efficacy and thats remdesivir bruce aylward a who assistant directorgeneral said this week at a press conference in beijingremdesivir is an experimental drug that was tested in humans to treat the ebola virus though studies found it was ineffective for that\ndeveloped by american biotech firm gilead sciences the drug is slated for these trialsthe university of nebraska medical center in omaha a clinical trial is underway there and the first participant is an american who was evacuated from the diamond princess cruise ship docked in japan the us national institutes of health saidparticipants will receive 200 milligrams of remdesivir intravenously when theyre enrolled and another 100 while theyre hospitalized for up to 10 days in total a placebo group will receive a solution that resembles remdesivir but contains only inactive ingredients the nih saidwe will know reasonably soon whether it works and if it does we will then have an effective therapy to distribute dr anthony fauci director of the national institute of allergy and infectious diseases said wednesdaystudies elsewhere about 1000 coronavirus patients primarily in asia will be part of two randomized studies of remdesivir starting in march gilead sciences said wednesdayone will be for about 400 patients with severe symptoms the other will be for about 600 patients with more moderate symptoms the study will look at the effectiveness of different dosing durations patients in both groups will receive the drug for either five or 10 dayshiv drugs doctors around the world including in thailand and china have been trying a combination of hiv and flu drugsresults of those studies havent been widely reported but there are a few reasons to explore hiv antiretroviral drugs like hiv coronaviruses are rna viruses and years ago a combination of hiv drugs and an antiviral drug seemed to help some patients in the 20022004 outbreak of sars caused by a different coronavirus according to a study published in the journal thoraxchina learned from prior coronavirus epidemics sars and mers to repurpose antiretroviral and antiviral medications for partial treatment of this newest global health scare dr sten vermund dean of the yale school of public health wrote for cnn last monthpotential vaccinesa number of companies around the world say theyve developed potential vaccines after obtaining genetic information about the virussince this coronavirus emerged in in december in wuhan china these candidates have emerged quickly by comparison researchers took about 20 months to start human tests of the vaccine for sars fauci has writtenbut the reality is that health officials insist these potential vaccines cant be approved for at least a year fauci gave cnn this outlook on wednesday the first phase 1 clinical trial could begin in about two months such a trial involving about 45 people would last about three months researchers would try to determine if the candidate is safe and immunogenicthe next phase involving hundreds of people would last another six to eight monthsso even if a candidate is proven safe and effective it wont be ready for use this year fauci saidnow a look at some candidates moderna trial could start in april us biotech firm moderna has sent an experimental vaccine to the us national institute of allergy and infectious diseases and says its phase 1 trial could start in aprilmoderna using messenger rna aims to make drugs that direct cells in the body to make proteins to prevent or fight diseasethe technology has had positive results from phase 1 tests across six different vaccines one of which is currently in a phase 2 trial according to a company spokesperson but moderna has yet to produce a proven vaccine with its mrna platformnovavax and inovio us biotech firms novavax and inovio also say they have developed candidates novavax says it hopes its vaccine could start phase 1 testing in may or junemany other efforts the us national institutes of health chinese biotech firm clover in a partnership with british drugmaker glaxosmithkline israels institute for biological research us pharma giant johnson johnson and japans national institute of infectious diseases are among groups whove indicated theyre working on a vaccine", + "https://www.cnn.com/", + "TRUE", + 0.06501541387905022, + 821 + ], + [ + "There are currently no drugs licensed for the treatment or prevention of COVID-19", + "while several drug trials are ongoing there is currently no proof that hydroxychloroquine or any other drug can cure or prevent covid19 the misuse of hydroxychloroquine can cause serious side effects and illness and even lead to death who is coordinating efforts to develop and evaluate medicines to treat covid19", + "https://www.who.int/", + "TRUE", + -0.11458333333333333, + 50 + ], + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "The new coronavirus CANNOT be transmitted through mosquito bites", + "to date there has been no information nor evidence to suggest that the new coronavirus could be transmitted by mosquitoes the new coronavirus is a respiratory virus which spreads primarily through droplets generated when an infected person coughs or sneezes or through droplets of saliva or discharge from the nose to protect yourself clean your hands frequently with an alcoholbased hand rub or wash them with soap and water also avoid close contact with anyone who is coughing and sneezing", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.22787878787878793, + 80 + ], + [ + "What are some of the major challenges to global cooperation in this coronavirus outbreak?", + "data transparency and political sensitivity are two of the most critical challenges to effective global cooperation on the covid19 outbreakand they are deeply entwinedchina has a history of concealing delaying or refusing to share data and information this happened with sars in 20022003 and in 2018 when china reportedly refused to share samples of a bird flu with pandemic potential leading global health agencies have praised chinas response to covid19 while other experts doubt the accuracy of the reported data data transparency is key to building muchneeded trustand preventing the misallocation of resources which could slow the responsesome countries in asiawhere china holds significant economic and political influencehave carefully crafted their public coronavirus responses aware that criticizing china could hinder cooperation and all stakeholders face a difficult task balancing effective disease response with the political sensitivity necessary for a successful cooperative global response", + "https://www.globalhealthnow.org/", + "TRUE", + 0.09782608695652174, + 143 + ], + [ + "Treatments for COVID-19", + "most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19\nwhat is convalescent plasma how could it help people with covid19when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimentalwho can donate plasma for covid19in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virusis there an antiviral treatment for covid19currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19\nwhy is it so difficult to develop treatments for viral illnessesan antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we developwhat treatments are available to treat coronaviruscurrently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams\nis it safe to take ibuprofen to treat symptoms of covid19some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoidedare chloroquinehydroxychloroquine and azithromycin safe and effective for treating covid19 early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycinis the antiviral drug remdesivir effective for treating covid19 scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virusthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safeive heard that highdose vitamin c is being used to treat patients with covid19 does it work and should i take vitamin c to prevent infection with the covid19 virussome critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stoneswhat is serologic antibody testing for covid19 what can it be used fora serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.1451683064410337, + 2062 + ], + [ + "Can eating garlic help prevent infection with the new coronavirus?", + "garlic is a healthy food that may have some antimicrobial properties however there is no evidence from the current outbreak that eating garlic has protected people from the new coronavirus", + "https://www.who.int/", + "TRUE", + 0.21212121212121213, + 30 + ], + [ + "Information for Clinicians on Therapeutic Options for Patients with COVID-19", + "there are no drugs or other therapeutics approved by the us food and drug administration to prevent or treat covid19 current clinical management includes infection prevention and control measures and supportive care including supplemental oxygen and mechanical ventilatory support when indicated interim guidelines for the medical management of covid19 will be provided soon by the department of health and human services covid19 treatment guidelines panel remdesivir remdesivir is an investigational intravenous drug with broad antiviral activity that inhibits viral replication through premature termination of rna transcription and has invitro activity against sarscov2 and invitro and invivo activity against related betacoronaviruses information about clinical trials of remdesivir is available at clinicaltrialsgovexternal icon remdesivir is also available through an expanded access programexternal icon from the manufacturer gilead scienceshydroxychloroquine and chloroquine hydroxychloroquine and chloroquine are oral prescription drugs that have been used for treatment of malaria and certain inflammatory conditions hydroxychloroquine and chloroquine are under investigation in clinical trials for preexposure or postexposure prophylaxis of sarscov2 infection and treatment of patients with mild moderate and severe covid19 more information on clinical trials can be found at clinicaltrialsgovexternal icon fda issued an emergency use authorization eua to authorize use of chloroquine and hydroxychloroquineexternal icon from the strategic national stockpile for treatment of hospitalized adults and adolescents weight 50 kg with covid19 for whom a clinical trial is not available or participation is not feasible other drugs several other drugs eg investigational antivirals immunotherapeutic hostdirected therapies are under investigation in clinical trials or are being considered for clinical trials of preexposure prophylaxis postexposure prophylaxis or treatment of covid19 in the united states and worldwide information on registered clinical trials for covid19 in the united states is available at clinicaltrialsgovexternal icon fda has issued guidance for administering or studying use of convalescent plasma for treatmentexternal icon of patients with covid19", + "cdc.gov", + "TRUE", + 0.1241732804232804, + 304 + ], + [ + "Did a Mutation Turbocharge the Coronavirus? Not Likely, Scientists Say", + "a preliminary report posted online claimed that a mutation had made the virus more transmissible geneticists say the evidence isnt thereall viruses mutate and the coronavirus is no exception but there is no compelling evidence yet that it is evolving in a way that has made it more contagious or more deadly\na preprint study posted online but not published in a scientific journal and not yet peerreviewed has set the internet afire by suggesting otherwise\non april 30 a report by a team led by bette korber a biologist at los alamos national laboratory in new mexico claimed to have found a mutation in the coronavirus that arose in europe in february and then rapidly spread becoming dominant as the virus was introduced into new countriesthe mutation they wrote is of urgent concern because it made the coronavirus more transmissible following media coverage the prospect of a turbocharged strain hopscotching around the world has unnerved many people who already had enough on their mindsbut experts in viral evolution are far from convinced for one thing there is no new strain unlike the flu the coronavirus so far has not split into clearly distinct formsit does mutate but thats what viruses do just because a mutation becomes more common isnt proof that it is altering how the virus functionsdr korber did not immediately respond to an email request for commentmutations are tiny changes to genetic material that occur as it is copied human cells have many socalled proofreading proteins that keep mutations rare still each baby arrives with dozens of new genetic mutationsviruses are far sloppier producing many mutants every time they infect a cell many of these mutations arent useful to the virus disabling it rather than helping it proliferate a few may be beneficial to the virus the rest have little effect one way or the othernatural selection can favor viruses carrying a beneficial mutation leading it to spread more widely but its also possible for a neutral mutation to become more common simply by chance a process known as genetic drifti dont think they provide evidence to claim transmissibility enhancement sergei pond an evolutionary biologist at temple university said of the new report in an email in order to establish this youd need direct competition between strains in the same geographic areadr pond said you might also expect such a powerful mutation to arise in many different viruses and give their descendants an evolutionary edge but that hasnt happenedsome researchers took to twitter to critique the paper i think those claims are suspect to say the least wrote bill hanage an epidemiologist at the harvard th chan school of public healththey got a bit over their skis on title conclusions wrote brian wasik an evolutionary biologist at cornell university they deserve a strong and goodfaith peer reviewnone of the critics ruled out the possibility that a mutation could arise that would make the virus more transmissible and its possible that d614g has provided some sort of edgebut it will take much more evidence to rule out other explanations", + "https://www.nytimes.com/", + "TRUE", + 0.16526747062461347, + 511 + ], + [ + "The impact of COVID-19 on older adults", + "covid19 poses a risk not only to the health of older adults who contract the disease but also to those without the health care resources and social structures that contribute to overall wellness before becoming a professor sarah szanton made house calls to older adults as a nurse practitioner on her visits she saw how an older persons home environment can contribute to health outcomes now as the endowed professor for health equity and social justice at the johns hopkins school of nursing and the director of the center for innovative care in aging szanton works to identify solutions to narrow racial and socioeconomic disparities for older peopleszanton joined one of her phd student mentees sarah lafave to discuss the challenges that covid19 poses for older adults this conversation has been edited for length and clarityhow is the covid19 pandemic affecting older people differently than younger generationsolder adults are more likely to have dire outcomes from the virus it can also be a challenge to prevent older people from being exposed to the virus because they may not be be fully independent for example a mother might rely on her adult daughter to come and help her with groceries or take a shower as another example some older people depend on help from a family member or friend with sorting mail and sending in checks to pay bills at this point people may not have had someone come into the home to help with those kinds of things for many weeks what happens if one of those unpaid bills is for an essential resource or accrues a lot of interest during this timewe also have to think about all of the ways that the pandemic affects older peoples lives beyond morbidity and mortality from the virus itself i am concerned about people experiencing social isolation as a result of not being able to have visitors and not being able to go out and do things with other people the effects are compounded for any older person who doesnt have access to technology platforms like skype and facetime or who has limited access to phone calls many lowerincome older people have payperminute phone plans for example and may have to choose between using their limited minutes for a phone visit with a doctor or a conversation with a grandchild so we cant assume that a switch to virtual socialization or virtual access to resources is going to work for all older peoplealso i think theres a fair amount of ageismof people thinking right now even if they arent saying it out loud well older people are going to die anyway but who are we to say that an 80yearold wouldnt have otherwise lived to be 100 and done a lot of wonderful things in those 20 years we would never think that the first 20 years of someones life dont matter we should recognize that the last 20 years are just as valuablehas the pandemic exacerbated health disparities for older adultsevery experience in life is influenced by a persons access to resources and in the united states a persons race socioeconomic status and other characteristics have profound impacts on access to resources it can be easy to jump to saying oh well that person was older and had diabetes so of course they had a worse outcome from covid but you have to take a step back and ask what contributed to the person having diabetes in the first place because race is not biological we know that its not race itself that causes disparities in comorbidities and in covid outcomesits the relationship between race and resources for example my colleague laura samuel has found that the counties that have a high proportion of people who have to spend more than a third of their income on housing have higher covid mortality rates if we had a society that was structured so that everyone had the same chance at health we would not see the disparities we are seeinga lot of the potential solutions to health disparities among older adults dont exist in the health care system itselfthey occur further upstream things like widening access to the federal supplemental nutrition assistance program addressing food deserts and supporting returning citizens in the workforce all relate directly to health but we dont always think that waywhat challenges has covid19 raised for family caregivers of older adults\nfirst if family caregivers have jobs that require them to be in regular contact with others such as bus drivers or nurses they may have to decide between not providing essential help to an older loved one and risking passing the virus to that personsecond direct care workers continue to come in and out of hospitals nursing homes and senior living buildings and are being screened upon entrance but very few family caregivers are allowed into these same facilities right now in some cases family caregivers are not being recognized as essential parts of the health care team and i think they should be hospitals and nursing homes have had to place restrictions on visitors for safety reasons but i think some of those policies may be too limiting for example delirium is a very common and very costly issue for older adults who are admitted to hospitals there is a better chance of preventing and managing delirium if a family member can help attend to the daynight sleep cycle keep the person oriented hydrated and so on true delirium uses so many health care resources that it can benefit all of us if an older person has a familiar caregiver with them during an inpatient stay of course a major limitation is that there isnt enough personal protective equipment right now so you have to weigh the risks and benefits of tapping into a finite supply of protective equipment\nwhat can people do right now to support older adults in their communities during this crisisthere are many volunteer opportunities for example baltimore neighbors network is a coalition of community partners that trains and supports volunteers to provide companionship and resource navigation assistance to older adults in baltimore which includes remote options such as phone calls if people cant volunteer for a program like that right now maybe they can give blood or maybe they can take the money they would usually spend eating out each month and instead contribute financially to a food pantry people can also support their older family members or friends by asking the person what would be most helpful to themmaybe its dropping off a meal on a front porch maybe its mailing a letter its really important to remember even during a crisis to make time for our elders", + "https://hub.jhu.edu/", + "TRUE", + 0.16013622974963176, + 1118 + ], + [ + "Can I still take my child to public places?", + "the situation is changing by the hour so your best bet is to regularly check your state and local public health department websites for recommendations dr oleary saidbut as of now the general advice is to practice social distancing dr hotez said which means sticking close to home and avoiding large groups of people on march 16 the trump administration announced new guidelines to help stop the spread of the new coronavirus which included closing schools that were still open and avoiding bars food courts restaurants and groups of more than 10 peopleyou cant be sure that popular public spaces like playgrounds are riskfree the virus is estimated to survive on metal glass and plastic surfaces for anywhere from 2 hours to nine days new york city for example does not regularly clean outdoor furniture and play equipment said meghan lalor director of media relations at the new york city department of parks and recreation we have not yet committed to changing our standard operations due to coronavirus but we will continue to monitor the situation as it develops she said on march 17 all new york city recreation centers and nature centers are closed to the public until further notice lalor said though city parks and playgrounds remain openat this point some communities are closing their playgrounds considering school is out and we dont want children congregating all together dr oleary said playgrounds are probably not the safest place right now for city dwellers he recommended going to big wideopen parks when available where kids can stay practice physical distancing and not touch equipment remember there are other options for solo outdoor play like riding on a scooter or a bike there are also options for indoor movement for example there are kids yoga videos all over youtube that you and your family can enjoy togetheras always encourage hand washing when children come in from outside and before and after meals kids should sing happy birthday twice to know how long to wash their hands and then make sure they are drying them thoroughly theres some evidence that paper towels are more hygienic than hand dryers in public bathrooms hand washing is also more effective than hand sanitizer though hand sanitizer can be used when hand washing is not an option", + "https://www.nytimes.com/", + "TRUE", + 0.1886977886977887, + 382 + ], + [ + "No specific treatment for COVID-19 is currently available.", + "clean hands frequently with alcoholbased hand rub or soap and water cover nose and mouth when coughing and sneezing with tissue or flexed elbow avoid close contact 1 metre or 3 feet with anyone with cold or flulike symptoms", + "https://www.who.int/", + "TRUE", + -0.04444444444444443, + 39 + ], + [ + "Experts debunk fringe theory linking China’s coronavirus to weapons research", + "as china attempts to contain the spread of a new coronavirus that has left more than 100 people dead rumors and disinformation have spread amid the scramble for answerssome of the speculation has centered on a virology institute in wuhan the city where the outbreak began one fringe theory holds that the disaster could be the accidental result of biological weapons researchbut in conversations with the washington post experts rejected the idea that the virus could be manmadebased on the virus genome and properties there is no indication whatsoever that it was an engineered virus said richard ebright a professor of chemical biology at rutgers universitytim trevan a biological safety expert based in maryland said most countries had largely abandoned their bioweapons research after years of work proved fruitlessthe vast majority of new nasty diseases come from nature he saidthe british newspaper daily mail was among the first to suggest the possibility of a link between the newly spreading virus and the wuhan national biosafety laboratory reporting last week that the lab which opened in 2014 and is part of the wuhan institute of virology had been the subject of safety concerns in the pasta separate article published by the washington times a conservative newspaper in washington took the theories a step further suggesting in a headline that the coronavirus may have originated in lab linked to chinas biowarfare program and pointing to the wuhan institute of virologythe article cited research by dany shoham a former israeli military intelligence officer who told the post he did not want to comment furtherdespite little public evidence the theory has spread widely on social media to conspiracy theory websites and in some international news outletsthe wuhan national biosafety laboratory is a cellular level biosafety level 4 facility which means it has a high level of operational security and is authorized to work on dangerous pathogens including ebolathose entering the level 4 lab use airlocks and protective suits waste and even air is heavily filtered and cleaned before leaving the facilitymilton leitenberg an expert on chemical weapons at the university of maryland said he and other analysts around the world had discussed the possibility that weapons development at the wuhan lab could have led to the coronavirus outbreak in a private email chain but that no one had found convincing evidence to support the theoryof course if they are doing bioweaponry it is covert leitenberg said in a phone call but added it was unlikely the chinese government would use such a facility for production or even research and development of bioweaponsthe wuhan lab is wellknown and it is relatively open compared with other chinese institutes it has strong ties to the galveston national laboratory at the university of texas medical branch and was developed with the aid of french engineerswuhan institute of virology is a worldclass research institution that does worldclass research in virology and immunology ebright said noting that one specialty of the facility was researching coronaviruses transmitted by batstrevan who was quoted in a 2017 article in nature that warned of possible risks at the wuhan facility that was cited by the daily mail said in a phone call to the post that he was concerned at the time about how to manage risk in these complex systems when you cannot predict all the ways in which the system could faila former british diplomat and political adviser to the united nations he said he had not followed affairs at the facility closely since 2017 and was not aware of any specific problems there but that he doubted the coronavirus outbreak could have come from a weapons programan annual state department report released last year said china had engaged in biological activities with potential dualuse applicationselsa kania a fellow at the center for a new american security said that while chinese officials had expressed public interest in the potential weaponization of biotechnology a coronavirus would not be a useful weaponhypothetically a bioweapon would be designed to be highly targeted in its effects whereas since its outbreak the coronavirus is already on track to become widespread in china and worldwide she saidvipin narang a professor at the massachusetts institute of technology wrote in a message on twitter that a good bioweapon in theory has high lethality but low not high communicability and that spreading such ideas would be incredibly irresponsibleafter the 2014 ebola outbreak fringe news outlets suggested spuriously that the us department of defense had manufactured the virus in the soviet union military labs did look into whether the virus could be used as a weapon but ultimately abandoned those hopesthe speculation may be linked to uncertainty over where the ongoing novel coronavirus outbreak originated some scientists initially suspected a seafood market in wuhan may have been the starting point but a study by chinese researchers and published in the lancet on friday questioned that analysislate tuesday hu xijin editor of the nationalistic global times newspaper wrote that a conspiracy theory had emerged in china that the united states was responsible for the outbreak their logic why always china hu wrote on twitter but most chinese dont believe it", + "https://www.washingtonpost.com/", + "TRUE", + 0.028433892496392485, + 857 + ], + [ + "If you are at higher risk", + "if you are at increased risk for serious illness from covid19 you need to be especially careful to avoid infection you may have questions about your particular condition or treatment how it impacts your risk of infection and illness and what you need to do if you become ill your doctor is best equipped to provide individual advice but we provide some general guidelines below who is at highest risk for getting very sick from covid19 older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these include blood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeks diabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injuryim older and have a chronic medical condition which puts me at higher risk for getting seriously ill or even dying from covid19 what can i do to reduce my risk of exposure to the virus anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetes the cdc suggests the following measures for those who are at higher risk obtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and others when you go out in public keep away from others who are sick limit close contact and wash your hands often avoid crowds avoid cruise travel and nonessential air travel during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed i have a chronic medical condition that puts me at increased risk for severe illness from covid19 even though im only in my 30s what can i do to reduce my risk you can take steps to lower your risk of getting infected in the first place as much as possible limit contact with people outside your family maintain enough distance six feet or more between yourself and anyone outside your family wash your hands often with soap and warm water for 20 to 30 seconds as best you can avoid touching your eyes nose or mouth stay away from people who are sick during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed clean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day in addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them up\ncall your doctor for additional advice specific to your conditioni have asthma if i get covid19 am i more likely to become seriously ill yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancingwashing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor im taking a medication that suppresses my immune system should i stop taking it so i have less chance of getting sick from the coronavirus\nif you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medicationi heard that certain blood pressure medicines might worsen symptoms of covid19 should i stop taking my medication now just in case i do get infected should i stop if i develop symptoms of covid19 you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetes at this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animals could this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumonia the reality today human studies have not confirmed the findings in animal studies some studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19 i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.05178236446093589, + 1247 + ], + [ + "Bill Gates calls on U.S. to lead fight against a pandemic that could kill 33 million", + "bill gates says the us government is falling short in preparing the nation and the world for the significant probability of a large and lethal modernday pandemic occurring in our lifetimesin an interview this week the billionaire philanthropist said he has raised the issue of pandemic preparedness with president trump since the 2016 presidential election in his most recent meeting last month gates said he laid out the increasing risk of a bioterrorism attack and stressed the importance of us funding for advanced research on new therapeutics including a universal flu vaccine which would protect against all or most strains of influenzagates who cofounded microsoft and now leads a foundation on global health said he told trump that the president has a chance to lead on the issue of global health security trump encouraged him to follow up with top officials at the health and human services department the national institutes of health and the food and drug administration gates saidgates said he met several times with hr mcmaster the presidents former national security adviser and hopes to meet with mcmasters replacement john bolton the national security council gates said is an appropriate office to show leadership on this issue and decide how to coordinate the various groups within the governmentbut you know i think weve got to push this with the executive branch and congress quite a bit gates said there hasnt been a big effort along these lineshis interview with the washington post preceded a speech on the challenges associated with modern epidemics that gates gave friday before the massachusetts medical societygates and his wife melinda have repeatedly warned that a pandemic is the greatest immediate threat to humanity experts say the risk is high because new pathogens are constantly emerging and the world is so interconnectedmany experts agree that the united states remains underprepared for a pandemic or a bioterrorism threat the governments sprawling bureaucracy they say is not nimble enough to deal with mutations that suddenly turn an influenza virus into a particularly virulent strain as the 1918 influenza did in killing an estimated 50 million to 100 million people worldwideeven this winters harsh seasonal flu was enough to overwhelm some hospitals forcing them to pitch tents outside emergency rooms to cope with the crush of patientsif a highly contagious and lethal airborne pathogen like the 1918 influenza were to take hold today nearly 33 million people worldwide would die in just six months gates noted in his prepared remarks citing a simulation done by the institute for disease modeling a research organization in bellevue washin those remarks gates highlighted scientific and technical advances in the development of better vaccines drugs and diagnostics that he said could revolutionize preparation for and treatment of infectious diseases he praised last years formation of a new global coalition known as cepi to create new vaccines for emerging infectious diseases he also announced a 12 million grand challenge in partnership with the family of google inc cofounder larry page to accelerate the development of a universal flu vaccinebut vaccines he noted take time to research deploy and generate protective immunityso we need to invest in other approaches like antiviral drugs and antibody therapies that can be stockpiled or rapidly manufactured to stop the spread of pandemic diseases or treat people who have been exposed he said in his speechamong the advances in these areas are a new influenza antiviral recently approved in japan that gates said stops the virus in its tracks by inhibiting an enzyme it needs to multiply research on antibodies that could protect against a pandemic strain of a virus and a diagnostic test that harnesses the powerful geneticengineering technology known as crispr and has the fielduse potential to check a patients blood saliva or urine for evidence of multiple pathogens that test could for example identify whether someone is infected with zika or dengue virus which have similar symptomsbut even the best tools in the world wont be sufficient gates said if the united states doesnt have a strategy to harness and coordinate resources at home and help to lead an effective global preparedness and response systemtrump and senior administration officials have affirmed the importance of controlling infectious disease outbreaks but the centers for disease control and prevention is facing a loss of emergency funding provided in the wake of the 2014 ebola epidemic and has begun to planning to downsize its epidemicprevention activities in 39 out of 49 countries where disease risks are greatestcongress provided additional funding in last months spending bill but it also directed the administration to come up with a comprehensive plan to strengthen global health security at home and abroadthis could be an important first step if the white house and congress use the opportunity to articulate and embrace a leadership role for the us gates said in the speechno other country he noted has the depth of scientific or technical expertise that the united states possesses drawing on the resources of institutions such as nih cdc and the biomedical advanced research and development authority as well as the defense departments defense advanced research projects agency", + "https://www.washingtonpost.com/", + "TRUE", + 0.15093178327049298, + 855 + ], + [ + "The Coronavirus: What Scientists Have Learned So Far", + "a novel respiratory virus that originated in wuhan china last december has spread to six continents hundreds of thousands have been infected at least 20000 people have died and the spread of the coronavirus was called a pandemic by the world health organization in marchmuch remains unknown about the virus including how many people may have very mild or asymptomatic infections and whether they can transmit the virus the precise dimensions of the outbreak are hard to knowheres what scientists have learned so far about the virus and the outbreakwhat is a coronaviruscoronaviruses are named for the spikes that protrude from their surfaces resembling a crown or the suns corona they can infect both animals and people and can cause illnesses of the respiratory tractat least four types of coronaviruses cause very mild infections every year like the common cold most people get infected with one or more of these viruses at some point in their livesanother coronavirus that circulated in china in 2003 caused a more dangerous condition known as severe acute respiratory syndrome or sars the virus was contained after it had sickened 8098 people and killed 774middle east respiratory syndrome or mers first reported in saudi arabia in 2012 is also caused by a coronavirusthe new virus has been named sarscov2 the disease it causes is called covid19how dangerous is itit is hard to accurately assess the lethality of a new virus it appears to be less often fatal than the coronaviruses that caused sars or mers but significantly more so than the seasonal flu the fatality rate was over 2 percent in one study but government scientists have estimated that the real figure could be below 1 percent roughly the rate occurring in a severe flu seasonabout 5 percent of the patients who were hospitalized in china had critical illnesseschildren seem less likely to be infected with the new coronavirus while middleaged and older adults are disproportionately infectedmen are more likely to die from an infection compared to women possibly because they produce weaker immune responses and have higher rates of tobacco consumption type 2 diabetes and high blood pressure than women which may increase the risk of complications following an infectionthis is a pattern weve seen with many viral infections of the respiratory tract men can have worse outcomes said sabra klein a scientist who studies sex differences in viral infections and vaccination responses at the johns hopkins bloomberg school of public healthhow is the new coronavirus transmittedexperts believe that an infected animal may have first transmitted the virus to humans at a market that sold live fish animals and birds in wuhan the market was later shut down and disinfected making it nearly impossible to investigate which animal may have been the exact origin \nbats are considered a possible source because they have evolved to coexist with many viruses and they were found to be the starting point for sars it is also possible that bats transmitted the virus to an intermediate animal such as pangolins which are consumed as a delicacy in parts of china and may have then passed on the virus to humansthe outbreak grew because of humantohuman transmissionpeople infected with the virus produce tiny respiratory droplets when they breathe talk cough or sneeze allowing the virus to travel through the airmost respiratory droplets fall to the ground within a few feet people who are in close contact with those infected particularly family members and health care workers may catch the virus this wayscientists dont know how long the new coronavirus can live on surfaces and preliminary research suggests that hot and humid environments may not slow down the pathogens spread warm weather does tend to inhibit influenza and milder coronavirusesinfected people may be able to pass on the new coronavirus even if they have few obvious symptoms a study in germany has found thats bad news said dr william schaffner an expert in infectious diseases at vanderbilt university medical center in nashvillewhen people dont know they are infected theyre up and about going to work or the gym or to religious services and breathing on or near other people he said still a report by the world health organization suggests that asymptomatic cases are rarewhat symptoms should i look out for\nsymptoms of this infection include fever cough and difficulty breathing or shortness of breath the illness causes lung lesions and pneumonia but milder cases may resemble the flu or a bad cold making detection difficultpatients may exhibit other symptoms too such as gastrointestinal problems or diarrhea current estimates suggest that symptoms may appear in as few as two days or as long as 14 days after being exposed to the virusif you have a fever or a cough and recently visited china south korea italy or another place with a known coronavirus outbreak or spent time with someone who did see your health care provider call first so the office can prepare for your visit and take steps to protect other patients and staff from potential exposureis there a test for the virus what is the treatmentthere is a diagnostic test that can determine if you are infected it was developed by the centers for disease control and prevention based on genetic information about the virus provided by the chinese authoritiesin early february the cdc sent diagnostic test kits to 200 state laboratories but some of the kits were flawed and recalled now other laboratories are making their own tests other countries are using test kits manufactured locally or sent out by the whothe cdc announced that anyone who wanted to be tested could if a doctor approves the request private companies such as labcorp and quest diagnostics are also rushing to provide tests at various labs across the country but the supply has yet to meet public demand many patients complain that they still cannot get testedonce a coronavirus infection is confirmed the treatment is mainly supportive making sure the patient is getting enough oxygen managing his or her fever and using a ventilator to push air into the lungs if necessary said dr julie vaishampayan chairwoman of the public health committee at the infectious diseases society of americapatients with mild cases are told to rest and drink plenty of fluids while the immune system does its job and heals itself she said most people with mild infections recover in about two weeks more than half of those who have been infected globally have already recovereda number of drugs are currently being tested as potential treatments including an antiviral medication called remdesivir which appears to be effective in animals and was used to treat the first american patient in washington state the national institutes of health is testing the drug on infected patient in a clinical trial in nebraska the drugs maker gilead has also begun trials at various sites in asiahow long will it take to develop a vaccinea coronavirus vaccine is still months away and perhaps years while new technology advancements in genomics and improved global coordination have allowed researchers to act quickly vaccine development remains an expensive and risky processafter the sars outbreak in 2003 it took researchers about 20 months to get a vaccine ready for human trials the vaccine was never needed because the disease was eventually containedby the time of the zika outbreak in 2015 researchers had brought the vaccine development timeline down to six monthsnow they hope that work from past outbreaks will help cut the timeline further scientists at the national institutes of health and several companies are working on vaccine candidatesdr anthony s fauci director of the national institute of allergy and infectious diseases said a preliminary clinical trial might get off the ground in as little as three months but researchers would still need to conduct extensive testing to prove a vaccine was safe and effectivehow can i protect myself\nthe best thing you can do to avoid getting infected is to follow the same general guidelines that experts recommend during flu season because the coronavirus spreads in much the same way wash your hands frequently throughout the day avoid touching your face and maintain a distance at least six feet from anyone who is coughing or sneezingthe risk of infection with the new coronavirus in the united states is way too low for the general public to start wearing a face mask said dr peter rabinowitz codirector of the university of washington metacenter for pandemic preparedness and global health securitybut he added if you have symptoms of a respiratory illness wearing a mask reduces the risk of infecting othersshould i cancel my international travel plansmany countries have also enacted travel restrictions and bans closing their doors to people from countries with sustained transmission of the virus governments around the world have been screening incoming passengers for signs of illnessis it too late to contain the viruswho officials have credited lockdown measures china imposed in late january for averting the spread of more cases from wuhan china sealed off cities shut down businesses and schools and ordered residents to remain in their homes officials use cellphone data to track and intercept those who have been to hubei provincein recent weeks government workers have gone doortodoor to round up people who are infected placing them in stadiums and other buildings that have been converted to makeshift hospitals now official reports suggest that new cases in china are waningbut there is growing fear that containment may no longer be possibleclarence tam an assistant professor of infectious diseases at the school of public health at the national university of singapore said the surge of cases in multiple countries was concerning because we know the transmissions are spreading at a fast rateweve learned some things of this new virus for the past couple of weeks that make it seem unlikely that containment will be a strategy that will completely stop this virus he addedthere is benefit to delaying its spread as long as possible containing the virus may buy health officials more time to stock hospitals with test kits and respirators and for local governments companies and schools to enact strategies telecommuting and online classes for instance that may reduce the spreadbut the ability of nations to prepare for the arrival of coronavirus cases will depend largely on the strength of their health systems capacity to conduct tests and effectiveness in communicating updates to the publicwe have been dealing with flu for decades and even now it seems some countries dont even have a policy for influenza preparedness said leo poon head of the university of hong kongs public health laboratory sciences division not to mention something which is new to them thats a problem", + "https://www.nytimes.com/", + "TRUE", + 0.05052269919036386, + 1783 + ], + [ + "What should a country like the US be doing to prepare when an outbreak like this begins to spread globally?", + "beginning preparedness activities when an epidemics hits is too late although the us has a relatively strong health system we need to be better prepared for an epidemic particularly by strengthening state and local health departments and connections with health care providers and facilities but we cant protect ourselves only within our own borders our biggest vulnerability is spread in countries with weak health systems viruses dont need visas the us should double down on support for countries in africa and asia so the health workers in these countries can find stop and prevent epidemics in the us and globally there are important and simple things we can do that will prevent illness now and also protect against coronavirus improve hand hygiene handwashing cough hygiene cover coughs dont expose others if were feeling ill and improve health care infection control", + "https://www.globalhealthnow.org/", + "TRUE", + 0.05496031746031745, + 140 + ], + [ + "Alex Jones ordered to stop selling fake coronavirus cures", + "new york attorney general letitia james has ordered radio host and conspiracy theorist alex jones to stop claiming that infowars products can protect against the novel coronavirus in a statement the attorney general said that jones marketed toothpaste dietary supplements and creams as being able to prevent or cure the virus alex jones latest mistruths are incredibly dangerous and pose a serious threat to the public health of new yorkers and individuals across the nation the attorney general saidin particular jones claimed that his superblue toothpaste kills the whole sarscorona family at pointblank range despite there currently being no cure or vaccine for the coronavirus huffpost previously reported when viewing the toothpastes product page there is now a notice which says this product is not intended to diagnose treat cure or prevent any disease and adds that anyone whos currently taking medication should consult their physician before using it the verge has not been able to verify when this message was addedas the coronavirus continues to pose serious risks to public health alex jones has spewed outright lies and has profited off of new yorkers anxieties the attorney general said in a statement if these unlawful violations do not cease immediately my office will not hesitate to take legal action and hold mr jones accountable for the harm hes causedthe action taken against alex jones is part of a broader push against companies trying to use covid19 the disease caused by the novel coronavirus to sell their products or boost profits the new york attorney general has already sent cease and desist orders to two other companies that claim their colloidal silver products can treat the coronavirus and its ordered the jim bakker show to stop marketing one of themmeanwhile online platforms are also cracking down facebook has banned ads that guarantee a cure or prevention for the virus or which otherwise try to create a sense of urgency like implying a limited supply others have been struggling to prevent price gouging on necessary items like face masks and hand sanitizers amazon has begun restricting which sellers on its marketplace platform can sell them while ebay has banned their sale entirely", + "https://www.theverge.com/", + "TRUE", + 0.04256012506012507, + 361 + ], + [ + "Does the COVID-19 pandemic automatically mean setbacks for ongoing global health programs?", + "consider the limitations or strain already on health systems in many of the countries where global health programs operate whether related to health services surveillance or supply chains meeting public demand can be an ongoing challenge at baseline to add an outbreak response in those settings could spur an outright collapse of essential resources and that could have a ripple effect for people in need of care across a range of issues not only those exposed to a novel diseaseconsider a woman who can no longer visit a local clinic to protect her from pregnancy complications or the person living with hiv tb or some other chronic condition who can no longer receive lifesaving medications either because of a breakdown or diversion of the pipeline intended to provide those furthermore these very populations are at greater risk of poor outcomes from a disease like covid19 creating a potentially vicious cyclethat is why its essential that policymakers and practitioners shore up resources that protect progress in other critical areas of global health while preventing fallout from a new public health enemy if we are vigilant we can soften the blow", + "https://www.globalhealthnow.org/", + "TRUE", + -0.01742424242424243, + 189 + ], + [ + "How can we protect others and ourselves if we don't know who is infected?", + "practicing hand and respiratory hygiene is important at all times and is the best way to protect others and yourselfwhen possible maintain at least a 1 meter distance between yourself and others this is especially important if you are standing by someone who is coughing or sneezing since some infected persons may not yet be exhibiting symptoms or their symptoms may be mild maintaining a physical distance with everyone is a good idea if you are in an area where covid19 is circulating ", + "https://www.who.int/", + "TRUE", + 0.3666666666666667, + 83 + ], + [ + "What are super spreaders and how can they affect the trajectory of an outbreak?", + "rather than using the term super spreaders a person who infects a large number of people we should think of them as super spreading events maybe a person is at the right time of infection and at the mall typhoid mary infected many people because she was a cookpart of the reason we stopped sars is that a lot of super spreading was happening in health care settings and when people really got their act together in terms of infection control and biocontainment it nipped the epidemic in the budsuper spreading events have the largest influence an outbreaks trajectory early on if theres only a few cases and one person then infects 10 others it can make it start strong once an epidemic gets going and has 100 to 200 cases or more the law of large numbers takes overand it stops mattering so much", + "https://www.globalhealthnow.org/", + "TRUE", + 0.24625850340136052, + 145 + ], + [ + "What’s a reproductive number and what does it tell us about an outbreak’s future?", + "the reproductive number represents the average number of people that one infected person will infect the reproductive number for a disease can change based on how infectious the pathogen is the host population and environmental factorsto control an outbreak the goal is to reduce a diseases reproductive number to less than 1 if the reproductive number remains 1 or higher the outbreak will continue in the case of covid19 the estimated reproductive number is around 26 meaning the outbreak is expected to continuethe reproductive number can be reduced by altering transmission dynamicswith social distancing home isolation quarantine and use of personal protective equipment in health care settings over time as people are infected and recoveror if a vaccine becomes available which may take months or yearsimmunity in the population also reduces the effective reproductive number of a disease", + "https://www.globalhealthnow.org/", + "TRUE", + 0.10833333333333334, + 138 + ], + [ + "Do health care workers present a risk to the community by returning home after work?", + "health care workers are always very aware of the risks they face at work while caring for patients during the covid19 pandemic there is increased vigilance in health care settings to prevent infection of patients and health care workers hospital infection control programs are charged with protecting our health care workforce and the patient populations we serve every single day for protection against covid infection meticulous attention to hand hygiene routine face masking and social distancing also apply in the health care setting in addition health care workers are trained in the proper use and disposal of personal protective equipment and potentially contaminated materials instructed not to come to work when sick and if sick are prioritized for covid19 testing\nwith the appropriate attention to infection prevention practices that every health care facility must practice health care workers do not pose an increased risk to the community than the public atlargewe are all paying close attention to practices to protect ourselves our families and our communities while caring for patients during this challenging time", + "https://www.globalhealthnow.org/", + "TRUE", + -0.012878787878787873, + 174 + ], + [ + "I have a chronic medical condition that puts me at increased risk for severe illness from COVID-19, even though I'm only in my 30s. What can I do to reduce my risk?", + "you can take steps to lower your risk of getting infected in the first placeas much as possible limit contact with people outside your familymaintain enough distance six feet or more between yourself and anyone outside your familywash your hands often with soap and warm water for 20 to 30 secondsas best you can avoid touching your eyes nose or mouthstay away from people who are sickduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposedclean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every dayin addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them upcall your doctor for additional advice specific to your condition", + "https://www.health.harvard.edu/", + "TRUE", + 0.240625, + 170 + ], + [ + "Alex Jones Is Told to Stop Selling Sham Anti-Coronavirus Toothpaste", + "mr jones who has used his radio show and website to promote conspiracy theories is falsely claiming his products can fight the virus the new york state attorney general has issued a ceaseanddesist order to alex jones the conservative radio host alarmed by false claims on his website that his diet supplements and toothpaste could be used to fight the coronavirus mr jones according to the attorney general made a series of claims that his products could act as a stopgate against the virus that his superblue brand of toothpaste kills the whole sarscorona family at pointblank range there are no products vaccines or drugs approved to treat or cure the virus as the disease spreads across the united states so too has online misinformation and the marketing of fraudulent products that claim to prevent the coronavirus presenting government officials with a new frontier in their escalating fight against the outbreak sham products from dietary supplements and food to medical devices and purported vaccines have popped up on social media and digital marketplaces masks and respirators that were counterfeit or deceptively labeled have been listed on amazon and ebaymr jones has accumulated much of his wealth from the sale of healthenhancement and survivalist merchandise on his website infowars a platform he has used to disseminate conspiracy theories including the false narrative that the sandy hook school massacre was a hoax the coronavirus outbreak presented mr jones with yet another opportunity to monetize fear and deception said letitia james the state attorney general who issued her order on thursday as the coronavirus continues to pose serious risks to public health alex jones has spewed outright lies and has profited off of new yorkers anxieties ms james a democrat said adding that mr joness claims are incredibly dangerousin a statement on friday jonathan w emord a lawyer for the alex jones show the radio program and infowars called the allegations false and said the products were never intended to be used in the treatment of any disease including the novel coronavirusmr emord said a prominent disclaimer would be posted on the website to make that explicitly clear on monday the trump administration issued warning letters to seven companies that were selling fraudulent coronavirus products including teas essential oils tinctures and colloidal silvers and ordered them to take corrective measures within 48 hours the government also delivered a warning to the jim bakker show which is hosted by the disgraced teleevangelist jim bakker for allegedly selling products labeled to contain silver and misleadingly saying they could treat and cure the coronavirus last week ms james also sent a ceaseanddesist letter to mr bakkers show to stop allowing the sale of colloidal silver in which small flakes of silver are suspended in fluid after a guest claimed that it could eliminate the disease within 12 hours colloidal silver is not safe or effective to treat any disease or symptoms according to the food and drug administration it can even be dangerous to a persons health the national institutes of health has said another company that received a warning from the federal government colloidal vitality llc purportedly marketed oils on facebook with descriptions such as so its actually widely acknowledged in both science and the medical industry that ionic silver kills coronavirusesjoseph j simons the chairman of the federal trade commission said in a statement that what we dont need in this situation are companies preying on consumers by promoting products with fraudulent prevention and treatment claimsthe federal government has begun to crack down on products that claim to cure or prevent covid19 the disease the coronavirus causes through a surveillance program that monitors the internet for fraudulent sales so far a federal task force has helped remove more than three dozen listings of at least 19 products it has urged online marketplaces and major retailers to police its listings ebay recently said it would ban face masks and hand sanitizer listings altogether while amazon recently notified sellers that it was no longer accepting requests to sell masks sanitizers disinfecting wipes and sprays among other products and social media platforms including facebook which had struggled to curtail misinformation about the virus on its website announced bans on ads that promise to cure the illnessgovernment officials are also tackling the price gouging of products that can help reduce the risk of falling ill with the disease such as hand sanitizer and face masksfederal and state lawmakers are considering antipricegouging legislation after reports of handsanitizer bottles selling for as much as 400", + "https://www.nytimes.com/", + "TRUE", + -0.011946166207529847, + 755 + ], + [ + "Summer Heat May Not Diminish Coronavirus Strength", + "a new report sent to the white house science adviser says the country should not rely on warm weather to stop contagionthe homebound and viruswary across the northern hemisphere from president trump to coopedup schoolchildren have clung to the possibility that the coronavirus pandemic will fade in hot weather as some viral diseases dobut the national academies of sciences engineering and medicine in a public report sent to the white house has said in effect dont get your hopes up after reviewing a variety of research reports a panel concluded that the studies of varying quality of evidence do not offer a basis to believe that summer weather will interfere with the spread of the coronavirusthe pandemic may lessen because of social distancing and other measures but the evidence so far does not inspire confidence in the benefits of sun and humidity the report sent to kelvin droegemeier director of the office of science and technology policy at the white house and acting director of the national science foundation was a brief ninepage communication known as a rapid expert consultationkristian andersen an immunologist at the scripps research translational institute in california and a member of the standing committee on emerging infectious diseases and 21st century health threats at the national academies said given current data we believe that the pandemic likely will not diminish because of summer and we should be careful not to base policies and strategies around the hope that it willwe might very well see a reduction in spread in the beginning of the summer he added but we have to be careful not to put that down to a changing climate it is plausible that such a reduction could be due to other measures put in placehuman behavior will be most important dr david relman who studies hostmicrobe interactions at stanford said if a human coughs or sneezes enough virus close enough to the next susceptible person then temperature and humidity just wont matter that muchthe report from the national academies independent agencies that advise the government and the public cited a small number of wellcontrolled laboratory studies that show that high temperature and humidity can diminish the ability of the novel coronavirus to survive in the environment but the report noted the studies had limitations that made them less than conclusiveit also noted that although some reports showed pandemic growth rates peaking in colder conditions those studies were short and limited a preliminary finding in one such study by scientists at mit found fewer cases of covid19 the disease caused by the coronavirus in warmer climates but arrived at no definitive conclusionspecially in the us any effect even in the summer months may not be highly visible so our real chance to stop this virus is indeed through taking quarantine measures said qasim bukhari a computational scientist at mit who is a coauthor of the studythe report sent to the white house also struck a cautionary note given that countries currently in summer climates such as australia and iran are experiencing rapid virus spread a decrease in cases with increases in humidity and temperature elsewhere should not be assumed it saidpandemics do not behave the same way seasonal outbreaks do for the national academies report researchers looked at the history of flu pandemics as an example there have been 10 influenza pandemics in the past 250plus years two started in the northern hemisphere winter three in the spring two in the summer and three in the fall the report said all had a peak second wave approximately six months after emergence of the virus in the human population regardless of when the initial introduction occurredon march 16 president trump said the virus might wash through in warmer weather\ndr anthony s fauci the nations leading expert on infectious diseases has expressed different opinions about the effect of summer on the virus some more optimistic than others in a livestreamed interview on wednesday dr howard bauchner the editor in chief of the journal of the american medical association asked him about the fall which dr fauci said would be very challenging after a period this summer when its almost certainly going to go down a bit\non march 26 however in a conversation on instagram with stephen curry of the golden state warriors dr fauci said that although it wasnt unreasonable to assume the summer weather could diminish the spread you dont want to count on it", + "https://www.nytimes.com/", + "TRUE", + 0.03648730411888306, + 741 + ], + [ + "What will happen next?", + "as the number of daily infections and deaths has plateaued in many places european countries are taking tentative steps to ease their lockdown measures with varying approachesitalys daily coronavirus death toll is at its lowest since march 14 and prime minister giuseppe conte announced that from may 4 citizens will be allowed to visit their relatives in small numbers factories and construction sites will be allowed to reopen but schools will remain closed until september in spain which after italy has seen more deaths than any other european country parents are now allowed to take their children outside once per day and if the toll continues to slow all citizens will be allowed to exercise and walk outdoors from may 2 the uk will remain on lockdown until at least may 7 however prime minister boris johnson is expected to announce plans to ease measures before then as he returns to downing street on april 27 after recovering from coronavirusin order to prevent a deadly second wave of infections the uk and its european neighbours are ramping up testing in the wider community the uk department of health and social care will contact 20000 households in england and invite them to take part in an initial study to track coronavirus transmission all participants will receive a nose and throat swab to test for whether or not they currently have the virus and adults in some 1000 of the households will provide monthly blood samples to find out what proportion of the population has developed antibodies to covid19 the study is set to be extended to 300000 people over the next 12 monthswork on contact tracing apps is also underway in the uk but unlike in countries like south korea and china which use a combination of cctv credit card data and geolocation information the uks app will rely on the shortrange wireless technology bluetooth to trace peoples location the idea is that when a person has crossed paths with someone who has tested positive for coronavirus the app can be instantly alert them and let them request a test", + "https://www.wired.co.uk/", + "TRUE", + 0.008436639118457299, + 349 + ], + [ + "Can my pet infect me with the virus that causes COVID-19?", + "at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with pets", + "https://www.health.harvard.edu/", + "TRUE", + -0.041666666666666664, + 47 + ], + [ + "Transcript: Dr. Anthony Fauci discusses coronavirus on \"Face the Nation,\" April 5, 2020", + "margaret brennan we turn now to dr anthony fauci the director of the national institute of allergy and infectious diseases at nih dr fauci thank you for what youre doing and thank you for making time for usdr anthony fauci good to be with you margaret margaret brennan we heard from the president that there will be a lot of death in the coming weeks dr birx said its not the time to go to the grocery store or the pharmacy what should americans be preparing fordr fauci well this is going to be a bad week margaret unfortunately if you look at the projection of the curves of the kinetics of the curves were going to continue to see an escalation also we should hope that within a week maybe a little bit more well start to see a flattening out of the curve and coming down the mitigation that were talking about that you just mentioned is absolutely key to the success of that so on the one hand things are going to get bad and we need to be prepared for that it is going to be shocking to some it certainly is is really disturbing to see that but thats whats going to happen before it turns around so well just buckle down continue to mitigate continue to do the physical separation because we got to get through this week thats coming up because it is going to be a bad weekmargaret brennan are you saying doctor that despite the deaths that we may see that mitigation is working and that you do have this outbreakdr fauci yesmargaret brennan under control dr fauci i will not say we have it under control margaret that would be a false statement we are struggling to get it under control and thats the issue thats at hand right now the thing thats important is that what you see is increases in new cases which then start to flatten out but the end result of that you dont see for days if not weeks down the pike because as the as the cases go down then you get less hospitalizations less intensive care and less death so even though youre getting a really improvement in that the number of new cases is starting to flatten the deaths will lag by you know one or two weeks or more so we need to be prepared that even though its clear that mitigation is working were still going to see that tail off of deaths so the first thing we want to look for is to see on a daily basis are the number of new cases starting to stabilize weve seen that in italy you just mentioned that correctly were going to hopefully be seeing that in new york very soon and thats the first sign of that plateau and coming downmargaret brennan so when governor cuomo says were new york is not yet at the apex what does that actually mean and what happens on the other side of that apexdr fauci you know what the governor is saying is that we are still going to see an increase the curves that we show at the conferences often is that the epidemic curve goes up and it hits the top a bit and then it starts coming down so what governor cuomo was saying is that we havent yet reached that peak and when you do youll start to see a bit of a flattening and come down so where we are right now is really approaching that apex and thats why what hes saying and what were saying is that this next week is going to look bad because were still not yet at that apex and i think within a week eight days or nine days or so we hopefully youre going to see that turnaroundmargaret brennan you have flagged that you see this virus now spreading in the developing world and communities where people dont really have the luxuries that we have of working at home what does that mean for the risk of reinfection here in the united statesdr fauci well you bring up a very good point margaret unless we get this globally under control theres a very good chance that it will assume a seasonal nature in the sense that even if we and i and i hope its not just if but when we get it down to the point where it really is at a very low level we need to be prepared that since it unlikely will be completely eradicated from the planet that as we get into next season we may see the beginning of a resurgence and thats the reason why were pushing so hard and getting our preparedness much better than it was but importantly pushing on a vaccine and doing clinical trials for therapeutic interventions so that hopefully if in fact we do see that resurgence we will have interventions that we did not have in the beginning of the situation that were in right nowmargaret brennan so you said yesterday that there are three things you think this country needs to have in place before some of these restrictions are pulled back the ability to test to isolate and to do contact tracing how close are we to meeting those requirements you laid outdr fauci were not 100 percent there yet but the people who are responsible for getting these tests out there its very clear that we are much much better off than we were in the sense that in the next week or two well have an extraordinary amount more capability of doing the kinds of testing thats essential because testing is not only important to be able to identify individual cases isolate them and contact tracing but we really do need to get a feel for what the penetrance of this infection is in society that becomes critical when you plan to start to get back to normal or at least take those first steps to getting back to normal you have to know whats out there you have to know what youre dealing with so testing becomes even more important than what weve been speaking about in the past \nmargaret brennan do you wear a mask when youre not on televisiondr fauci well you know my my life is is is pretty different i i stay six feet away from anybody that i can if i go out which i really dont do very much because of of my life as it is now margaret i would and do if you go to a situation where you dont have control over that sixfoot distance that you wear a mask in fact my wife just went out to get us some food for for the morning and she doesnt wear a mask in the house or when we go out and run but when she gets into a situation as i would where you dont have the power or the control of staying six feet away i would recommend doing what the cdc as i think appropriately and correctly said its its an adjunct its an additional way to help protect you and to have you help protect othersmargaret brennan doctor what would you tell our viewers who live in south carolina arkansas wyoming south dakota iowa nebraska north dakota utah the eight states that do not have stay at home orders what does that do to the white house models of projected deaths are they putting the rest of the country at riskdr fauci well it isnt that theyre putting the rest of the country at risk as much as theyre putting themselves at risk so every time i get to that podium in the white house briefing room margaret i always essentially plead with people to please take a look at those very simple guidelines of physical separation and theyre very very clear theyre like multiple different ways that say all the same thing physically separate six feet away ten people in a crowd avoid any interaction like movies and sports events and theaters and things like that even in areas where youre not having a big explosion of cases to the best of your ability do that because this virus doesnt discriminate whether youre in a small town in a relatively margaret brennan yeahdr fauci secluded area of the country versus whether youre in a big city and sooner or later youre going to see a surge of cases margaret brennan okdr fauci so i would urge people to please take a look at that margaret brennan very quickly is hydroxychloroquine preventative against this virus yes or no dr fauci you know as ive said many times margaret the data are really just at best suggestive there have been cases that show there may be an effect margaret brennan yeah dr fauci and there are others to show theres no effect margaret brennan ok dr fauci so i think in terms of science i dont think we could definitively margaret brennan all right dr fauci say it worksmargaret brennan thank you good luck to you doctor we will be right back with a look at our struggling economy stay with us", + "https://www.cbsnews.com/", + "TRUE", + 0.08639447267708139, + 1551 + ], + [ + "What’s the worst-case scenario for this pandemic?", + "there is already evidence of widening transmission of sarscov2 across the southern hemisphere though the virus is currently taking its primary toll in the north it is likely that 6065 of northern hemisphere populations will be infected with the virus by july or augustas the epidemics seem to diminish later in the summer action will shift to the south with covid19 sweeping across latin america africa and the south pacific similarly infecting upwards of 60 of populations and then by december it will make a slow return to the northern hemisphere creating a northsouth cycle that will persist for yearsadding additional fuel to the souths fire will be high hiv infection rates with more than a third of hivinfected africans in particular unaware of their status and therefore not on suppressive medication and immunocompromised", + "https://www.globalhealthnow.org/", + "TRUE", + 0.07897435897435898, + 134 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs\na person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 206 + ], + [ + "Information for Healthcare Professionals: COVID-19 and Underlying Conditions", + "patients at higher risk for infection severe illness and poorer outcomes from covid19 should protect themselves guidance for patients includes take steps to protect yourself call your healthcare provider if you are sick with a fever cough or shortness of breath follow cdc travel guidelines and the recommendations of your state and local health officials highrisk conditions covid19 is a new disease and there is limited information regarding risk factors for severe disease based on currently available information and clinical expertise older adults and people of any age who have serious underlying medical conditions might be at higher risk for severe illness from covid19 based upon available information to date those at highrisk for severe illness from covid19 include people 65 years and older people who live in a nursing home or longterm care facility people of all ages with underlying medical conditions particularly if not well controlled including people with chronic lung disease or moderate to severe asthma people who have serious heart conditions people who are immunocompromised many conditions can cause a person to be immunocompromised including cancer treatment smoking bone marrow or organ transplantation immune deficiencies poorly controlled hiv or aids and prolonged use of corticosteroids and other immune weakening medications people with severe obesity body mass index bmi of 40 or higher people with diabetes\npeople with chronic kidney disease undergoing dialysis people with liver disease", + "https://www.cdc.gov/", + "TRUE", + 0.02834982477839621, + 230 + ], + [ + "What are the symptoms?", + "its thought that people can have the virus for up to 14 days without having any symptomsthis time before symptoms develop is called the incubation periodmost people who catch covid19 will have an illness like a bad cold or flu some people will have a more severe illness like pneumoniayoure more likely to have a severe illness if you are older you live in a nursing home or care home you are male you are obese you are a smoker you have high blood pressure you have diabetes you have cardiovascular disease a condition affecting your heart or your blood vesselseg heart attack stroke heart failure angina you have a disease affecting your lungs eg asthma copd you have nonalcoholic fatty liver disease you have cancer you have had an organ transplant you are recovering from surgery children seem to be infected with corona virus less frequently than adults most children who catch covid19 have had close contact with an infected personthe most common symptoms of covid19 are fever coughing shortness of breath loss of sense of smell and reduced sense of tasteless common symptoms can include aches and pains feeling tired diarrhoea feeling nauseous or vomiting abdominal tummy pain loss of appetite coughing up a lot of phlegm sore throat confusion dizziness blocked or runny nose conjunctivitis red or watery eyes headache skin rashes and coughing up bloodcovid19 can also cause sepsis this is when the bodys immune system reacts badly to an infection and attacks the body it affects about 5 in 100 people with covid19 the symptoms of sepsis include fever a fast heartbeat confusion not needing to urinate as much as usual and mottled patchy skin there have been reports of covid19 causing a severe illness in children with a fever lasting more than five days a rash swollen glands in the neck red fingers or toes and dry cracked lips this is very rare but if you have concerns about your child its very important to speak to a doctor as soon as possible as you can see many of the less serious symptoms of covid19 are similar to those of a bad cold or flu so it can be hard to diagnose covid19 without testing if your doctor thinks that you might have covid19 you might need some tests such as collecting a sample from your nose or mouth blood tests a chest xray or another type of scan of your chest called a ct computed tomography scansome people who are seriously ill with covid19 can develop problems with their kidneysliver heart or brain if this happens you might need more tests and extra carepregnant and breastfeeding women we dont know for certain whether the virus can pass from a mother who is infected to her baby in the womb or to a baby through breastfeeding the symptoms of covid19 during pregnancy are the same as in people who are not pregnant if you are pregnant and you develop symptoms you should contact your doctor straight away you might need regular ultrasound scans during your pregnancy if you have had covid19 and you and your baby might need extra monitoring during labour and after giving birthsome countries such as the uk recommend that pregnant women should follow strict social distancing measures", + "https://bestpractice.bmj.com/", + "TRUE", + -0.02100033952975128, + 547 + ], + [ + "False claim: Bill Gates planning to use microchip implants to fight coronavirus", + "a viral claim on social media says bill gates is planning to use microchip implants to fight the coronavirus most of the posts say gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against it the claim has been shared at least 1000 times on facebook here bitly3aovniv here and at least 3600 times on twitter as of march 27 2020 here here here \nmost of the iterations of this claim link to or take their information from a post on march 19 here the story titled bill gates will use microchip implants to fight coronavirus includes an authentic quote from a qa with reddit about covid19 here but the story then uses his ask me anything answer as a springboard for speculation and unattributed conclusions they were not supported by gates responses in the interviewwritten like a news article the post misleadingly says that quantum dot dye a technology indeed founded by the gates foundation would be used as humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus here kevin mchugh one of the lead authors of the quantum dot dye research paper said the quantum dot dye technology is not a microchip or humanimplantable capsule and to my knowledge there are no plans to use this for coronavirusgates did mention the possibility of having a digital certificate for health records eventually but he did not say these certificates would be microchip implants this was the reddit exchangeq what changes are we going to have to make to how businesses operate to maintain our economy while providing social distancingbill gates the question of which businesses should keep going is tricky certainly food supply and the health system we still need water electricity and the internet supply chains for critical things need to be maintained countries are still figuring out what to keep running eventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itwhen asked about the claim the bill and melinda gates foundation told reuters the reference to digital certificates relates to efforts to create an open source digital platform with the goal of expanding access to safe homebased testingibm describes a digital certificate as an electronic document used to identify an individual and associate the identity with a public key like a drivers license or a passport it provides proof of a persons identity here bill gates has been repeatedly mentioned in other false claims regarding the coronavirus outbreak a recent reuters factcheck debunking a false claim about gates can be seen here verdict false bill gates foresees the use of digital certificates with health records but did not say these would be in the form of microchip implants there are no plans to use this future technology during the coronavirus outbreakthis article was produced by the reuters fact check team read more about our fact checking work here ", + "https://www.reuters.com/", + "TRUE", + 0.02853174603174602, + 509 + ], + [ + "Trump’s promise of ‘Warp Speed’ fuels anti-vaccine movement in fertile corners of the Web", + "the question was posed bluntly to the nearly 100000 members of a facebook group devoted to ending pennsylvanias stayathome orders with a user writing if there was a vaccine for coronavirus would you be likely to take itabsolutely notnoneverthe resoundingly negative answers streamed forth generating 1700 comments and providing a window into brewing resistance to a potential coronavirus vaccine that experts say offers the surest path back to normal lifesome of the same online activists who have clamored to resume economic activity echoing president trumps call to liberate their states from sweeping restrictions are now aligning themselves with a cause on the political fringe preemptively forswearing a vaccine to further their baseless claims about the dangers of vaccines and to portray the scientific process as reckless they have seized on the brisk pace promised for the project which the trump administration has branded operation warp speedwere looking to get it by the end of the year if we can the president said fridayboth movements represent the views of a small minority of americans but leading medical experts fear that the ability of their adherents to spread misinformation online could plant seeds of confusion and distrust in the broader public and undermine future efforts to distribute a vaccineanthony s fauci director of the national institute of allergy and infectious diseases said he has grown increasingly concerned that the name of the initiative has led to misconceptions about what is being put at risk by speeding up the effort only financial investments not safety or efficacypeople dont understand that because when they hear operation warp speed they think oh my god theyre jumping over all these steps and theyre going to put us at risk  fauci said in an interview wednesday with the washington postno steps would be eliminated he vowed rather multiple steps from collecting data to preparing to scale up the number of potential doses would be pursued at once creating risk for the investment but not for the patient or the integrity of the studyyoure doing things in a totally unprecedented way and youre going really fast but not compromising safety because you havent cut out any of the steps you would have done had you done it the traditional way fauci saidbut such guardrails have gone unmentioned on some of the most active platforms for coordinating opposition to measures designed to slow the spread of the virus one participant in a 2000member reopening group on facebook suggested trump was pandering to the left by speeding a vaccine to market another addressing more than 26000 fellow users called the effort mad linking to a video outlining a conspiracy theory about bill gatesthe views though they reflect an extreme position are a sign of looming obstacles to public trust for the trump administration and governments around the world rushing to complete a process in a matter of months that typically takes years in a yahoo newsyougov poll this month nearly 1 in 5 americans said they would not take a coronavirus vaccine\nthe online activity illustrates how antivaccine stalwarts have found common cause with those protesting stayathome measures flocking to their demonstrations and staging their own the two movements are also drawing on a common online organizing infrastructure increasingly merging in the fluid corners of facebook\ntheir groups and pages which frequently boast followings in the six figures easily swap out one target of perceived government overreach for another in an early sign of how misinformation could thwart efforts to immunize the public from a disease that has killed 90000 americansmatthew ferrari an epidemiologist at pennsylvania state university said there were already indications that antiscience sentiment flaring in the early days of the pandemic could be eroding confidence in existing vaccinesa study released by the centers for disease control and prevention found that vaccination rates for children in michigan fell steeply in may including to fewer than half of infants 5 months or younger reduced access to immunizations could have been a result of the stayathome order designed to contain the outbreak the report noted though the state order halting elective procedures did not specifically include vaccinationsthe decline in uptodate status for recommended vaccines threatens herd immunity against highly contagious infectious diseases such as measles the cdc warned ensuring the interruption does not become permanent is a priority ferrari said requiring clear science communicationpeter j hotez a professor of pediatrics and dean of the national school of tropical medicine at the baylor college of medicine in houston said his initial modeling suggests a significant number of americans will need to be vaccinated against the coronavirus to interrupt transmissionim worried that the antivaccine movement is going to be so strengthened to the point where we wont have those numbers and part of this may just be people opting out because of mixed messaging he said youd think the antivaccine movement would go into retreat with everyone wanting a vaccine but its been energized over operation warp speed and over biotech and pharma companies sending out irresponsible press releasesthe central tenets of the antivaccine movement hotez said are that vaccines cause autism which they do not and second that vaccines are rushed third that theyre not adequately tested for safety and fourth that theres an alliance between the federal government and the pharmaceutical companiesthis operation warp speed plays right into three of those four things and theres been no attempt to refute that messaging he saidmichael caputo a longtime trump adviser tapped to lead communications for the initiative as the freshly minted head of public affairs at the department of health and human services said he was responsible for the branding he drew the name operation warp speed from the terminology scientists were already using internally to describe their efforts he said after initially toying with names from greek and roman mythology but struggling to find a fitting title\nof efforts to paint the process as overly hasty caputo said this is a concern that everyone in the operation is taking to heart a white house spokesman declined to commentthe protests against a possible vaccine extend far beyond the group focused on pennsylvania a similar question appeared in a facebook group dedicated to reopening arizona where a user suggested that resisting a vaccine was a reason to keep this facebook group strong and going even as states begin to lift their stayathome orders will you take it she asked among answers spouting debunked theories about the dangers of vaccines one user weighed in to say she was newly skeptical in light of how the development process was proceedingalthough i have been vaccinated myself and vaccinated my kids for the typical childhood diseases and have no issue with that the thought of a vaccine being rushed through trial and forced on us makes me very nervous she wrote\non twitter more than threequarters of posts since monday using the hashtag operationwarpspeed have pushed conspiracy theories about the effort others suggested hydroxychloroquine was a more suitable option even though the food and drug administration has warned of the antimalarial drugs possible side effects trump on monday said he was taking the drug as a preventive measure prompting some of his supporters to double down on the unproven drug which has been linked to increased risk of death for certain patientsi would take trumps hydroxychloroquine    before i would be vaccinated by the lefts new covid19 vaccine read a meme posted tuesday in a protrump facebook group with more than 82000 membersbrad parscale who is managing the presidents reelection campaign also touted the drug after the presidents revelation about taking it on twitter he shared a news release from the association of american physicians and surgeons a rightwing group that has lobbied in favor of broader exemptions from inoculation requirements for religious and other beliefs its periodical has published reports falsely tying child vaccination to autism and advancing a discredited link between abortion and breast cancera spokesman for the trump campaign did not respond to a request for comment jane m orient the groups executive director said aaps contends that vaccines should be fully tested and voluntarysimilar views animate an online petition against a mandatory coronavirus vaccine sponsored by lifesitenews a rightwing website that the factchecking website snopes calls a known purveyor of misleading information the petition which has racked up nearly half a million signatures has been posted in some of the largest reopen groups on facebookhotez said the activity showed facebook is not doing enough to weed out dangerous misinformation putting public health at riskchanges introduced by the technology giant last year were aimed at surfacing authoritative content about vaccines including by altering what sort of pages and groups appear in the news feed and search features andrea vallone a facebook spokeswoman pointed to a march news release from nick clegg the companys vice president for global affairs and communications saying we remove covid19 related misinformation that could contribute to imminent physical harm\nmisinformation about vaccines is still rampant on the platform said kolina koltai a postdoctoral scholar at the center for an informed public at the university of washington who has been studying antivaccine groups on facebook for five years she first learned about the coronavirus in january she said because the online communities she tracks were already portraying the outbreak as a tool of government controlthe conspiracy theories that sow distrust of immunization rely on some wellfounded concerns about profit and the role of industry she saidmoncef slaoui a former moderna executive tapped to lead the white houses vaccine initiative on tuesday divested his stock options in the massachusetts biotechnology company which a day earlier had announced promising early results from its first human safety tests moderna did not respond to a request for commentthe antivaccine movement is really good at drawing people in koltai said theyll use whatever halftruth or slogan they can to convince people of their conspiracy beliefs", + "https://www.washingtonpost.com/", + "TRUE", + 0.04991718991718992, + 1649 + ], + [ + "What are the special risks of COVID-19 to pregnant women? ", + "infection rate and progression to severe disease in pregnant women is similar to that in nonpregnant adult women the same protective measures against transmission of the virus apply to bothso far no transmission from mother to fetus has been described vaginal delivery should be encouraged when both the mother and the baby are not severely sick strict protective measures facemasks hand hygiene must be observed to protect the newborn and the personnel during and after childbirthseparation of the mother and baby and breastfeeding should be discussed on a casebycase basis with the mother the newborn should be protected from infection by the mother as much as possible if the mother wishes to express her milk or breastfeed disinfection of the breast should be added to the protection methods mentioned abovewe have launched an international registry for women exposed to covid19 and welcome any medical center and maternity to join if you are a patient interested in sharing your data please suggest that your doctors contact dr baud", + "https://www.globalhealthnow.org/", + "TRUE", + 0.0640873015873016, + 167 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 189 + ], + [ + "Can I get sick with COVID-19 if it is on food?", + "based on information about this novel coronavirus thus far it seems unlikely that covid19 can be transmitted through food additional investigation is needed", + "https://www.cdc.gov/", + "TRUE", + -0.2, + 23 + ], + [ + "Surfaces? Sneezes? Sex? How the Coronavirus Can and Cannot Spread", + "what you need to know about how the virus is transmitteda delicate but highly contagious virus roughly one900th the width of a human hair is spreading from person to person around the world the coronavirus as its known has already infected more than 200000 people in 140 countriesbecause this virus is so new experts understanding of how it spreads is limited they can however offer some guidance about how it does and does not seem to be transmittedif i cross paths with a sick person will i get sick tooyou walk into a crowded grocery store a shopper has the coronavirus what puts you most at risk of getting infected by that personexperts agree they have a great deal to learn but four factors are likely to play some role how close you get how long you are near the person whether that person projects viral droplets on you and how much you touch your face of course your age and health are also major factorsalso the larger the number of people in the store or in any other situation the greater the chance that youll cross paths with an infected person which is why so many health officials are now urging people to avoid crowds and to cancel gatherings large and smallwhats a viral dropletit is a droplet containing viral particles a virus is a tiny codependent microbe that attaches to a cell takes over makes more of itself and moves on to its next host this is its lifestyle said gary whittaker a professor of virology at the cornell university college of veterinary medicinea naked virus cant go anywhere unless its hitching a ride with a droplet of mucus or saliva said kinon kwok a professor at the jockey club school of public health and primary care at the chinese university of hong kongthese mucus and saliva droplets are ejected from the mouth or the nose as we cough sneeze laugh sing breathe and talk if they dont hit something along the way they typically land on the floor or the ground when the virus becomes suspended in droplets smaller than five micrometers known as aerosols it can stay suspended for about a halfhour research suggeststo gain access to your cells the viral droplets must enter through the eyes the nose or the mouth some experts believe that sneezing and coughing are most likely the primary forms of transmission professor kwok said talking facetoface or sharing a meal with someone could pose a riskjulian tang a virologist and a professor at the university of leicester in england who is researching the coronavirus with professor kwok agreedif you can smell what someone had for lunch garlic curry etc you are inhaling what they are breathing out including any virus in their breath he saidthe virus does not linger in the air at high enough levels to be a risk to most people but the techniques health care workers use to care for sick people can generate high levels of aerosols this is part of why its so important that they have proper protective equipmenthow close is too closethe centers for disease control and prevention recommends keeping a distance of six feet from other people to minimize the possibility of infection a useful way to think about six feet is that its roughly twice the length of the average persons extended arm three feet is the distance the who emphasizes as particularly risky when standing near a person who is coughing or sneezingstill other public health experts say that at this crucial moment when the world still has an opportunity to slow the transmission of the coronavirus any number of feet is too close by cutting out all but essential inperson interactions we can help flatten the curve they say keeping the number of sick people to levels that medical providers can managehow long is too long to be near an infected personits not yet clear but most experts agree that more time equals more riskwill you know a person is sicknot necessarilyfever coughing chest pain and shortness of breath may signal that someone has been infected with the coronavirus covid19 is the name for the disease caused by the virus but it has become increasingly clear that people without symptoms can also infect others in some cases these people may later feel terrible enough to try to get tested isolate themselves seek treatment and notify friends and colleagues about potential risk in still other cases people with the virus may never experience the physical discomfort that would tip them off to the fact that they have been a danger to others can the virus last on a bus pole a touch screen or other surfaceyes after numerous people who attended a buddhist temple in hong kong fell ill the citys center for health protection collected samples from the site restroom faucets and the cloth covers over buddhist texts tested positive for the coronavirus the agency saidthis coronavirus is just the latest of many similarly shaped viruses coronaviruses are named for the spikes that protrude from their surfaces which resemble a crown or the suns coronaa recent study of the novel coronavirus found that it could live for three days on plastic and steel if you are ordering lots of supplies online you may be relieved to know that the virus did poorly on cardboard it disintegrated over the course of a day it survived for about four hours on copperwhether a surface looks dirty or clean is irrelevant if an infected person sneezed and a droplet landed on a surface a person who then touched that surface could pick it up how much is required to infect a person is unclearbut as long as you wash your hands before touching your face you should be ok because viral droplets dont pass through skinalso coronaviruses are relatively easy to destroy using a simple disinfectant on a surface is nearly guaranteed to break the delicate envelope that surrounds the tiny microbe rendering it harmless professor whittaker saiddoes the brand or type of soap you use matterno several experts saidmy neighbor is coughing should i be worriedthere is no evidence that viral particles can go through walls or glass said dr ashish k jha director of the harvard global health institutehe said he was more concerned about the dangers posed by common spaces than those posed by vents provided there is good air circulation in a rooman infected neighbor might sneeze on a railing and if you touched it that would be a more natural way to get it from your neighbor he said\ncan i get it from making out with someone kissing could definitely spread it several experts saidthough coronaviruses are not typically sexually transmitted its too soon to know the who saidis it safe to eat where people are sick with the coronavirusif a sick person handles the food or its a hightraffic buffet then risks cannot be ruled out but heating or reheating food should kill the virus professor whittaker saiddr jha concurredas a general rule we havent seen that food is a mechanism for spreading he saidcan my dog or cat safely join me in quarantinethousands of people have already begun various types of quarantines some have been mandated by health officials while others are voluntary and primarily involve staying homecan a cat or dog join someone to make quarantine less lonely professor whittaker who has studied the spread of coronaviruses in animals and humans said that he had seen no evidence that people who have the virus could be a danger to their pets", + "https://www.nytimes.com/", + "TRUE", + 0.041373706004140795, + 1268 + ], + [ + "“What can we expect from the coronavirus circulating now? Will it change to become more lethal or more easily transmitted?”", + "the sarscov2 virus that causes covid19 will likely continue with minimal variation it will probably stay stable because very few people are immuneso many naïve human hosts are still available for maintaining current transmission cyclesthis virus appears very balanced in terms of transmissiontovirulence it also can be transmitted early in infection serious disease usually doesnt occur until much laterand by that time many patients are confined to a hospital bed consequently a long transmission window is present before a person falls seriously ill giving the virus plenty of time to spread selection is heavily driven by transmissibility and the role of virulence in this process is much less clearanother coronavirus mers has a high lethality but doesnt transmit as easily this one is far more virulentand devastating many dangerous respiratory viruses spread efficiently before causing severe diseaseand thats what were seeing with sarscov2", + "https://www.globalhealthnow.org/", + "TRUE", + 0.005333333333333328, + 143 + ], + [ + "Is it safe to take ibuprofen to treat symptoms of COVID-19?", + "some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoided", + "https://www.health.harvard.edu/", + "TRUE", + 0.14583333333333334, + 146 + ], + [ + "Who is at high risk for serious illness from COVID-19?", + "covid19 is a new disease and there is limited information regarding risk factors for severe disease based on currently available information and clinical expertise older adults and people of any age who have serious underlying medical conditions might be at higher risk for severe illness from covid19based on what we know now those at highrisk for severe illness from covid19 arepeople aged 65 years and older people who live in a nursing home or longterm care facility people of all ages with underlying medical conditions particularly if not well controlled includingpeople with chronic lung disease or moderate to severe asthma people who have serious heart conditions people who are immunocompromised many conditions can cause a person to be immunocompromised including cancer treatment smoking bone marrow or organ transplantation immune deficiencies poorly controlled hiv or aids and prolonged use of corticosteroids and other immune weakening medications people with severe obesity body mass index bmi 40 people with diabetespeople with chronic kidney disease undergoing dialysis people with liver disease", + "https://www.cdc.gov/", + "TRUE", + 0.018213649096002035, + 167 + ], + [ + "What are the symptoms of COVID-19?", + "how will you know if you have the novel coronavirus that causes the covid19 disease doctors have described some of the most common symptoms including some rare ones such as a loss of smell that could signal you should get testedaccording to harvard th chan school of public health epidemiologist marc lipsitch the virus could ultimately infect between 40 and 70 of the population worldwide in the coming yearmany of those cases would be mild and some people might show no symptoms at all but the prospect of being infected with a new virus can be frightening as of april 27 the centers for disease control and prevention cdc has listed nine coronavirus symptoms that tend to appear about 2 to 14 days after exposure including fever cough shortness of breath or difficulty breathing chills repeated shaking with chills muscle pain headache sore throat and new loss of taste or smell the following symptoms the cdc says are emergency warning signs that you should seek immediate medical attention trouble breathing persistent pain or pressure in the chest new confusion or inability to arouse bluish lips or face other severe symptoms that concern youdoctors recently added loss of smell as a potential symptom that may show up alone without any other symptoms live science reported according to a report in the journal of the american medical association as many as 98 of covid19 patients who were hospitalized had a fever between 76 and 82 had a dry cough and 11 to 44 reported exhaustion and fatigue the disease appears to become more severe with age with the 30 to 79yearold age range predominating the detected cases in wuhan where the outbreak began according to a study in jama children seem to be at less risk of suffering noticeable symptoms of the disease however a recent study of 2000 children confirmed or suspected to have covid19 found that 6 developed severe or critical illness the study is detailed in the march 16 issue of the journal pediatricsin more serious cases of covid19 patients experience pneumonia which means their lungs begin to fill with pockets of pus or fluid this leads to intense shortness of breath and painful coughing currently testing for the virus that causes covid19 in the united states is limited to people with more severe symptoms according to paul biddinger the director of the emergency preparedness research evaluation and practice program at the harvard th chan school of public health who spoke in a university webcast march 2 this means that it isnt appropriate to be tested at the first sign of a fever or sniffle seeking medical care for mild illness can also potentially transmit that illness or lead to catching new illnesses in the hospital or clinic biddinger added ultimately the decisions about who should be tested are left to the discretion of state and local health departments according to the cdc clinicians should use their judgment to determine if a patient has signs and symptoms compatible with covid19 and whether the patient should be tested the cdc says\nas of april 27 more than 54 million covid19 diagnostic tests have been run in the us according to the covid tracking projectif you become ill with these symptoms and think youve been exposed to the virus the cdc recommends calling your doctor first rather than traveling to a clinic physicians work with state health departments and the cdc to determine who should be tested for the new virus however the cdc also recommends that people with covid19 or any respiratory illness monitor their symptoms carefully worsening shortness of breath is reason to seek medical care particularly for older individuals or people with underlying health conditions the cdc information page has more on what to do if you are sick ", + "https://www.livescience.com/", + "TRUE", + 0.07484408247120114, + 631 + ], + [ + "How Long Will a Vaccine Really Take?", + "a vaccine would be the ultimate weapon against the coronavirus and the best route back to normal life officials like dr anthony s fauci the top infectious disease expert on the trump administrations coronavirus task force estimate a vaccine could arrive in at least 12 to 18 monthsthe grim truth behind this rosy forecast is that a vaccine probably wont arrive any time soon clinical trials almost never succeed weve never released a coronavirus vaccine for humans before our record for developing an entirely new vaccine is at least four years more time than the public or the economy can tolerate socialdistancing ordersbut if there was any time to fasttrack a vaccine it is now so times opinion asked vaccine experts how we could condense the timeline and get a vaccine in the next few months instead of yearsheres how we might achieve the impossibleassume we already understand the coronavirus normally researchers need years to secure funding get approvals and study results piece by piece but these are not normal timesthere are already at least 254 therapies and 95 vaccines related to covid19 being exploredif you want to make that 18month timeframe one way to do that is put as many horses in the race as you can said dr peter hotez dean of the national school of tropical medicine at baylor college of medicinecompanies with vaccine trials underwaydozens of vaccines are starting clinical trials many use experimental rna and dna technology which provides the body with instructions to produce its own antibodies against the virusdespite the unprecedented push for a vaccine researchers caution that less than 10 percent of drugs that enter clinical trials are ever approved by the food and drug administrationthe rest fail in one way or another they are not effective dont perform better than existing drugs or have too many side effectsless than 10 percent of drug trials are ultimately approvedprobability of success at each phase of research fortunately we already have a head start on the first phase of vaccine development research the outbreaks of sars and mers which are also caused by coronaviruses spurred lots of research sars and sarscov2 the virus that causes covid19 are roughly 80 percent identical and both use socalled spike proteins to grab onto a specific receptor found on cells in human lungs this helps explain how scientists developed a test for covid19 so quicklytheres a cost to moving so quickly however the potential covid19 vaccines now in the pipeline might be more likely to fail because of the swift march through the research phase said robert van exan a cell biologist who has worked in the vaccine industry for decades he predicts we wont see a vaccine approved until at least 2021 or 2022 and even then this is very optimistic and of relatively low probabilityand yet he said this kind of fasttracking is worth the try maybe we will get luckyyears and years at minimumthe vaccine development process has typically taken a decade or longerthe next step in the process is preclinical and preparation work where a pilot factory is readied to produce enough vaccine for trials researchers relying on groundwork from the sars and mers outbreaks could theoretically move through planning steps swiftlysanofi a french biopharmaceutical company expects to begin clinical trials late this year for a covid19 vaccine that it repurposed from work on a sars vaccine if successful the vaccine could be ready by late 2021move at pandemic speed through trials as a rule researchers dont begin jabbing people with experimental vaccines until after rigorous safety checksthey test the vaccine first on small batches of people a few dozen during phase 1 then a few hundred in phase 2 then thousands in phase 3 months normally pass between phases so that researchers can review the findings and get approvals for subsequent phasesbut if we do it the conventional way theres no way were going to be reaching that timeline of 18 months said akiko iwasaki a professor of immunobiology at yale university school of medicine and an investigator at the howard hughes medical institutethere are ways to slash time off this process by combining several phases and testing vaccines on more people without as much waitinglast week the national academy of sciences showed an overlapping timeline describing it as moving at pandemic speedits here that talk of fasttracking the timeline meets the messiness of real life what if a promising vaccine actually makes it easier to catch the virus or makes the disease worse after someones infectedthats been the case for a few hiv drugs and vaccines for dengue fever because of a process called vaccineinduced enhancement in which the body reacts unexpectedly and makes the disease more dangerousresearchers cant easily infect vaccinated participants with the coronavirus to see how the body behaves they normally wait until some volunteers contract the virus naturally that means dosing people in regions hit hardest by the virus like new york or vaccinating family members of an infected person to see if they get the virus next if the pandemic subsides this step could be slowedthats why vaccines take such a long time said dr iwasaki but were making everything very short hopefully we can evaluate these risks as they occur as soon as possiblethis is where the vaccine timelines start to diverge depending on who you are and where some people might get left behindif a vaccine proves successful in early trials regulators could issue an emergencyuse provision so that doctors nurses and other essential workers could get vaccinated right away even before the end of the year researchers at oxford announced this week that their coronavirus vaccine could be ready for emergency use by september if trials prove successfulso researchers might produce a viable vaccine in just 12 to 18 months but that doesnt mean youre going to get it millions of people could be in line before you and thats only if the united states finds a vaccine first if another country like china beats us to it we could wait even longer while it doses its citizens first\nyou might be glad of that though if it turned out that the fasttracked vaccine caused unexpected problems only after hundreds or thousands are vaccinated would researchers be able to see if a fasttracked vaccine led to problems like vaccineinduced enhancementits true that any new technology comes with a learning curve said dr paul offit the director of the vaccine education center at the childrens hospital of philadelphia and sometimes that learning curve has a human pricestart preparing factories now once we have a working vaccine in hand companies will need to start producing millions perhaps billions of doses in addition to the millions of vaccine doses that are already made each year for mumps measles and other illnesses its an undertaking almost unimaginable in scope\ncompanies normally build new facilities perfectly tailored to any given vaccine because each vaccine requires different equipment some flu vaccines are produced using chicken eggs using large facilities where a version of the virus is incubated and harvested other vaccines require vats in which a virus is cultured in a broth of animal cells and later inactivated and purifiedthose factories follow strict guidelines governing biological facilities and usually take around five years to build costing at least three times more than conventional pharmaceutical factories manufacturers may be able to speed this up by creating or repurposing existing facilities in the middle of clinical trials long before the vaccine in question receives fda approvalthey just cant wait said dr iwasaki if it turns out to be a terrible vaccine they wont distribute it but at least theyll have the capability to do so if the vaccine is successfulthe bill and melinda gates foundation says it will build factories for seven different vaccines even though well end up picking at most two of them were going to fund factories for all seven just so that we dont waste time bill gates said during an appearance on the daily showin the end the united states will have the capacity to massproduce only two or three vaccines said vijay samant the former head of vaccine manufacturing at merckthe manufacturing task is insurmountable mr samant said i get sleepless nights thinking about itconsider just one seemingly simple step putting the vaccine into vials manufacturers need to procure billions of vials and billions of stoppers to seal them sophisticated machines are needed to fill them precisely and each vial is inspected on a highspeed line then vials are stored shipped and released to the public using a chain of temperaturecontrolled facilities and trucks at each of these stages producers are already stretched to meet existing demands mr samant said\nits a bottleneck similar to the one that caused a dearth of ventilators masks and other personal protective equipment just as covid19 surged across america\nif you talk about vaccines long enough a new type of vaccine called messenger rna or mrna for short inevitably comes up there are hopes it could be manufactured at a record clip mr gates even included it on his time magazine list of six innovations that could change the world is it the miracle were waiting forrather than injecting subjects with diseasespecific antigens to stimulate antibody production mrna vaccines give the body instructions to create those antigens itself because mrna vaccines dont need to be cultured in large quantities and then purified they are much faster to produce they could change the course of the fight against covid19on the other hand said dr van exan no one has ever made an rna vaccine for humansresearchers conducting dozens of trials hope to change that including one by the pharmaceutical company moderna backed by investor capital and spurred by federal funding of up to 483 million to tackle covid19 moderna has already fasttracked an mrna vaccine its entering phase 1 trials this year and the company says it could have a vaccine ready for frontline workers later this yearcould it work yeah it could work said dr fred ledley a professor of natural biology and applied sciences at bentley university but in terms of the probability of success what our data says is that theres a lower chance of approval and the trials take longerthe technology is decades old yet mrna is not very stable and can break down inside the bodyat this point im hoping for anything to work said dr iwasaki if it does work wonderful thats great we just dont knowthe fixation on mrna shows the allure of new and untested treatments during a medical crisis faced with the unsatisfying reality that our standard arsenal takes years to progress the mrna vaccine offers an enticing story mixed with hope and a hint of mystery but its riskier than other established approaches\nspeed up regulatory approvals imagine that the fateful day arrives scientists have created a successful vaccine theyve manufactured huge quantities of it people are dying the economy is crumbling its time to start injecting peoplebut first the federal government wants to take a peekthat might seem like a bureaucratic nightmare a rubber stamp that could cost lives theres even a common gripe among researchers for every scientist employed by the fda there are three lawyers and all they care about is liabilityyet fda approvals are no mere formality approvals typically take a full year during which time scientists and advisory committees review the studies to make sure that the vaccine is as safe and effective as drug makers say it iswhile some steps in the vaccine timeline can be fasttracked or skipped entirely approvals arent one of them there are horror stories from the past where vaccines were not properly tested in the 1950s for example a poorly produced batch of a polio vaccine was approved in a few hours it contained a version of the virus that wasnt quite dead so patients who got it actually contracted polio several children diedthe same scenario playing out today could be devastating for covid19 with the antivaccination movement and online conspiracy theorists eager to disrupt the public health response so while the fda might do this as fast as possible expect months to pass before any vaccine gets a green light for mass public use\nat this point you might be asking why are all these research teams announcing such optimistic forecasts when so many experts are skeptical about even an 18month timeline perhaps because its not just the public listening its investors toothese biotechs are putting out all these press announcements said dr hotez you just need to recognize theyre writing this for their shareholders not for the purposes of public healthwhat if it takes even longer than the pessimists predictcovid19 lives in the shadow of the most vexing virus weve ever faced hiv after nearly 40 years of work here is what we have to show for our vaccine efforts a few phase 3 clinical trials one of which actually made the disease worse and another with a success rate of just 30 percentdeaths per yearthe number of deaths from covid19 in 2020 has surpassed the number of deaths per year from hivaids during the height of the crisis in the 1990sresearchers say they dont expect a successful hiv vaccine until 2030 or later putting the timeline at around 50 yearsthats unlikely to be the case for covid19 because as opposed to hiv it doesnt appear to mutate significantly and exists within a family of familiar respiratory viruses even still any delay will be difficult to bearbut the history of hiv offers a glimmer of hope for how life could continue even without a vaccine researchers developed a litany of antiviral drugs that lowered the death rate and improved health outcomes for people living with aids todays drugs can lower the viral load in an hivpositive person so the virus cant be transmitted through sextherapeutic drugs rather than vaccines might likewise change the fight against covid19 the world health organization began a global search for drugs to treat covid19 patients in march if successful those drugs could lower the number of hospital admissions and help people recover faster from home while narrowing the infection window so fewer people catch the viruscombine that with rigorous testing and contact tracing where infected patients are identified and their recent contacts notified and quarantined and the future starts looking a little brighter so far the united states is conducting fewer than half the number of tests required and we need to recruit more than 300000 contacttracers but other countries have started reopening following exactly these stepsif all those things come together life might return to normal long before a vaccine is ready to shoot into your arm", + "https://www.nytimes.com/", + "TRUE", + 0.07804199858994376, + 2455 + ], + [ + "The Coronavirus: What Scientists Have Learned So Far", + "a novel respiratory virus that originated in wuhan china last december has spread to six continents hundreds of thousands have been infected at least 20000 people have died and the spread of the coronavirus was called a pandemic by the world health organization in march\n\nmuch remains unknown about the virus including how many people may have very mild or asymptomatic infections and whether they can transmit the virus the precise dimensions of the outbreak are hard to know\n\nheres what scientists have learned so far about the virus and the outbreak\n\nwhat is a coronavirus coronaviruses are named for the spikes that protrude from their surfaces resembling a crown or the suns corona they can infect both animals and people and can cause illnesses of the respiratory tract at least four types of coronaviruses cause very mild infections every year like the common cold most people get infected with one or more of these viruses at some point in their lives\n\nanother coronavirus that circulated in china in 2003 caused a more dangerous condition known as severe acute respiratory syndrome or sars the virus was contained after it had sickened 8098 people and killed 774\n\nmiddle east respiratory syndrome or mers first reported in saudi arabia in 2012 is also caused by a coronavirus\n\nthe new virus has been named sarscov2 the disease it causes is called covid19\n\nhow dangerous is it\nit is hard to accurately assess the lethality of a new virus it appears to be less often fatal than the coronaviruses that caused sars or mers but significantly more so than the seasonal flu the fatality rate was over 2 percent in one study but government scientists have estimated that the real figure could be below 1 percent roughly the rate occurring in a severe flu season\n\nabout 5 percent of the patients who were hospitalized in china had critical illnesses\n\nchildren seem less likely to be infected with the new coronavirus while middleaged and older adults are disproportionately infectedmen are more likely to die from an infection compared to women possibly because they produce weaker immune responses and have higher rates of tobacco consumption type 2 diabetes and high blood pressure than women which may increase the risk of complications following an infection\n\nthis is a pattern weve seen with many viral infections of the respiratory tract men can have worse outcomes said sabra klein a scientist who studies sex differences in viral infections and vaccination responses at the johns hopkins bloomberg school of public healthhow is the new coronavirus transmitted\nexperts believe that an infected animal may have first transmitted the virus to humans at a market that sold live fish animals and birds in wuhan the market was later shut down and disinfected making it nearly impossible to investigate which animal may have been the exact origin \nbats are considered a possible source because they have evolved to coexist with many viruses and they were found to be the starting point for sars it is also possible that bats transmitted the virus to an intermediate animal such as pangolins which are consumed as a delicacy in parts of china and may have then passed on the virus to humansthe outbreak grew because of humantohuman transmissionpeople infected with the virus produce tiny respiratory droplets when they breathe talk cough or sneeze allowing the virus to travel through the airmost respiratory droplets fall to the ground within a few feet people who are in close contact with those infected particularly family members and health care workers may catch the virus this way\n\nscientists dont know how long the new coronavirus can live on surfaces and preliminary research suggests that hot and humid environments may not slow down the pathogens spread warm weather does tend to inhibit influenza and milder coronaviruses\n\ninfected people may be able to pass on the new coronavirus even if they have few obvious symptoms a study in germany has found thats bad news said dr william schaffner an expert in infectious diseases at vanderbilt university medical center in nashville\n\nwhen people dont know they are infected theyre up and about going to work or the gym or to religious services and breathing on or near other people he said still a report by the world health organization suggests that asymptomatic cases are rarewhat symptoms should i look out for\nsymptoms of this infection include fever cough and difficulty breathing or shortness of breath the illness causes lung lesions and pneumonia but milder cases may resemble the flu or a bad cold making detection difficult\n\npatients may exhibit other symptoms too such as gastrointestinal problems or diarrhea current estimates suggest that symptoms may appear in as few as two days or as long as 14 days after being exposed to the virusif you have a fever or a cough and recently visited china south korea italy or another place with a known coronavirus outbreak or spent time with someone who did see your health care provider call first so the office can prepare for your visit and take steps to protect other patients and staff from potential exposure\n\nis there a test for the virus what is the treatment\nthere is a diagnostic test that can determine if you are infected it was developed by the centers for disease control and prevention based on genetic information about the virus provided by the chinese authorities\n\nin early february the cdc sent diagnostic test kits to 200 state laboratories but some of the kits were flawed and recalled now other laboratories are making their own tests other countries are using test kits manufactured locally or sent out by the who\n\nthe cdc announced that anyone who wanted to be tested could if a doctor approves the request private companies such as labcorp and quest diagnostics are also rushing to provide tests at various labs across the country but the supply has yet to meet public demand many patients complain that they still cannot get tested once a coronavirus infection is confirmed the treatment is mainly supportive making sure the patient is getting enough oxygen managing his or her fever and using a ventilator to push air into the lungs if necessary said dr julie vaishampayan chairwoman of the public health committee at the infectious diseases society of america\n\npatients with mild cases are told to rest and drink plenty of fluids while the immune system does its job and heals itself she said most people with mild infections recover in about two weeks more than half of those who have been infected globally have already recovereda number of drugs are currently being tested as potential treatments including an antiviral medication called remdesivir which appears to be effective in animals and was used to treat the first american patient in washington state the national institutes of health is testing the drug on infected patient in a clinical trial in nebraska the drugs maker gilead has also begun trials at various sites in asiahow long will it take to develop a vaccine\na coronavirus vaccine is still months away and perhaps years while new technology advancements in genomics and improved global coordination have allowed researchers to act quickly vaccine development remains an expensive and risky process\n\nafter the sars outbreak in 2003 it took researchers about 20 months to get a vaccine ready for human trials the vaccine was never needed because the disease was eventually contained\n\nby the time of the zika outbreak in 2015 researchers had brought the vaccine development timeline down to six months\n\nnow they hope that work from past outbreaks will help cut the timeline further scientists at the national institutes of health and several companies are working on vaccine candidatesdr anthony s fauci director of the national institute of allergy and infectious diseases said a preliminary clinical trial might get off the ground in as little as three months but researchers would still need to conduct extensive testing to prove a vaccine was safe and effectivehow can i protect myself\nthe best thing you can do to avoid getting infected is to follow the same general guidelines that experts recommend during flu season because the coronavirus spreads in much the same way wash your hands frequently throughout the day avoid touching your face and maintain a distance at least six feet from anyone who is coughing or sneezingthe risk of infection with the new coronavirus in the united states is way too low for the general public to start wearing a face mask said dr peter rabinowitz codirector of the university of washington metacenter for pandemic preparedness and global health security\n\nbut he added if you have symptoms of a respiratory illness wearing a mask reduces the risk of infecting othersshould i cancel my international travel plans\nmany countries have also enacted travel restrictions and bans closing their doors to people from countries with sustained transmission of the virus governments around the world have been screening incoming passengers for signs of illnessis it too late to contain the virus\nwho officials have credited lockdown measures china imposed in late january for averting the spread of more cases from wuhan china sealed off cities shut down businesses and schools and ordered residents to remain in their homes officials use cellphone data to track and intercept those who have been to hubei province\n\nin recent weeks government workers have gone doortodoor to round up people who are infected placing them in stadiums and other buildings that have been converted to makeshift hospitals now official reports suggest that new cases in china are waningbut there is growing fear that containment may no longer be possible\n\nclarence tam an assistant professor of infectious diseases at the school of public health at the national university of singapore said the surge of cases in multiple countries was concerning because we know the transmissions are spreading at a fast rate\n\nweve learned some things of this new virus for the past couple of weeks that make it seem unlikely that containment will be a strategy that will completely stop this virus he addedthere is benefit to delaying its spread as long as possible containing the virus may buy health officials more time to stock hospitals with test kits and respirators and for local governments companies and schools to enact strategies telecommuting and online classes for instance that may reduce the spread\n\nbut the ability of nations to prepare for the arrival of coronavirus cases will depend largely on the strength of their health systems capacity to conduct tests and effectiveness in communicating updates to the public\n\nwe have been dealing with flu for decades and even now it seems some countries dont even have a policy for influenza preparedness said leo poon head of the university of hong kongs public health laboratory sciences division not to mention something which is new to them thats a problem", + "https://www.nytimes.com/", + "TRUE", + 0.049926536212663374, + 1819 + ], + [ + "Warmer Weather May Slow, but Not Halt, Coronavirus", + "nature may help diminish the pandemic if aggressive measures to control the spread of infections continue experts say that doesnt mean the virus wont returncommunities living in warmer places appear to have a comparative advantage to slow the transmission of coronavirus infections according to an early analysis by scientists at the massachusetts institute of technologythe researchers found that most coronavirus transmissions had occurred in regions with low temperatures between 374 and 626 degrees fahrenheit or 3 and 17 degrees celsiuswhile countries with equatorial climates and those in the southern hemisphere currently in the middle of summer have reported coronavirus cases regions with average temperatures above 644 degrees fahrenheit or 18 degrees celsius account for fewer than 6 percent of global cases so farwherever the temperatures were colder the number of the cases started increasing quickly said qasim bukhari a computational scientist at mit who is a coauthor of the study you see this in europe even though the health care there is among the worlds bestthe temperature dependency is also clear within the united states dr bukhari said southern states like arizona florida and texas have seen slower outbreak growth compared with states like washington new york and colorado coronavirus cases in california have grown at a rate that falls somewhere in betweenthe seasonal pattern is similar to what epidemiologists have observed with other viruses dr deborah birx the global aids coordinator in the united states and also a member of the trump administrations coronavirus task force said during a recent briefing that the flu in the northern hemisphere generally follows a november to april trendthe four types of coronavirus that cause the common cold every year also wane in warmer weatherdr birx also noted that the pattern was similar with the sars epidemic in 2003 but she stressed that because the virus outbreaks in china and south korea began later it was difficult to determine whether the new coronavirus would take the same courseat least two other studies published on public repositories have drawn similar conclusions for the coronavirus one analysis by researchers in spain and finland found that the virus seemed to have found a niche in dry conditions and temperatures between 283 degrees and 49 degrees fahrenheit or minus 2 and 10 degrees celsius another group found that before the chinese government started imposing aggressive containment measures cities with higher temperatures and more humid environments reported a slower rate of infection transmission early in the outbreakbut none of the studies have been peerreviewed by other scientists and dr bukhari acknowledged that factors such as travel restrictions social distancing measures variations in the availability of tests and hospital burdens might have affected the number of cases in different countriesthe possible correlation between coronaviruses cases and climate should not lead policymakers and the public to complacency\nwe still need to take strong precautions dr bukhari said warmer temperatures may make this virus less effective but less effective transmission does not mean that there is no transmissionwarmer temperatures might make it harder for the coronavirus to survive in the air or on surfaces for long periods of time but it could still be contagious for hours if not days dr bukhari saideven seasonal viruses like influenza and the viruses that cause the common cold dont completely disappear during summer they are still present at low levels in many peoples bodies and in other parts of the world biding their time until conditions are suitable for infections to spread againsome viruses have the opposite pattern polio for example tend to spread faster in warmer climes and some viruses may have no seasonal variation at allit will take another four to six weeks before health officials will have a clearer picture of how weather patterns shape the trajectory of the coronavirus said jarbas barbosa the assistant director at the pan american health organization the regional office of the world health organization that focuses on the americasthe fact that local transmission is happening across the global south signals that this virus may be more resilient to warmer temperatures than the flu and other respiratory viruses that spread across borders in the past that is why who officials still urge countries to act urgently and aggressively to try and contain the virus while case numbers are relatively low and close contacts can easily be traced and quarantinedone of the big perils in assuming that the virus is less dangerous in warmer temperatures among particular ages or for any specific group is complacency said julio frenk a physician who served as health minister in mexico and is now president of the university of miami if people fail to heed the warnings and recommendations of public health professionals the results will be disastrousbut because high humidity and heat only align perfectly during mainly july and august in some parts of the northern hemisphere dr bukhari cautioned that the effects of warmer weather on reducing transmissions might only last for a brief period in some regionsthis suggests that even if the spread of the coronavirus decreases at higher humidity its effect would be limited for regions above 40 degrees north which includes most of the europe and north america he saidand because so much is unknown no one can predict whether the virus will return with such ferocity in the fall", + "https://www.nytimes.com/", + "TRUE", + 0.023068735242030694, + 884 + ], + [ + "Does an overreaction by the immune system play a role in COVID-19 deaths, or are they caused strictly by damage inflicted by the virus itself?", + "infection with sarscov2 is associated with respiratory tissue damage that can impair lung function and even cause death though it is likely that both the virus and immune system contribute to this process it can be difficult to determine which mechanism causes the most damageto establish infection a virus must enter a host cell once inside it hijacks the cells machinery to replicate eventually killing the cell and releasing more virus this process not only damages host tissues but also potently activates the immune system the immune system in turn unleashes powerful weapons to control the infection however if not carefully regulated the immune response itself can cause collateral damage to host tissues and exacerbate disease severitymore research on the host and viral factors that contribute to severe covid19 disease and death could provide important clues for clinicians and researchers in the search for new treatments", + "https://www.globalhealthnow.org/", + "TRUE", + 0.18863636363636363, + 146 + ], + [ + "How effective will the response be?", + "china has slowed new cases for now but the spread around the world is acceleratingworld health organization officials have praised chinas aggressive response to the virus walling off cities forcing people to stay home and tracking large numbers of contacts of infected people saying that it helped curb the spread of more cases the daily tally of new cases there peaked and then plateaued between jan 23 and feb 2 and has steadily declined sincemany countries have also enacted travel restrictions and bans closing their doors to people from countries with sustained transmission of the virus governments around the world have been screening incoming passengers for signs of illness airlines and cruise lines have canceled service to many asian destinations\ncritics fear those measures wont be enoughthe rate at which transmissions are spreading in several countries makes it seem unlikely that containment will be a strategy that will completely stop this virus said clarence tam an assistant professor of infectious diseases at the school of public health at the national university of singaporethe ability of nations to prepare for the arrival of coronavirus cases will depend on the strength of their health systems their capacity to test provide hospital beds drugs and respirators for severely ill patients and their effectiveness in communicating to the public", + "https://www.nytimes.com/", + "TRUE", + 0.053834260977118124, + 215 + ], + [ + "How deadly is the virus?", + "its hard to know yet but the fatality rate may be more than 1 percent much higher than the seasonal fluthis is one of the most important factors in how damaging the outbreak will be and one of the least understoodits tough to assess the lethality of a new virus the worst cases are usually detected first which can skew our understanding of how likely patients are to die people with mild illness may never visit a doctor and there may be more cases than china is counting leading to a lower death rate than initially thoughtits easier to miss mild cases that resolve by themselves than it is to miss dead people said dr angela rasmussen a virologist at columbia universitys mailman school of public healthbut early research indicates the virus may be significantly more deadly than the seasonal flu which kills roughly one in 1000 people an analysis of outcomes for more than 44000 confirmed patients in china found that roughly one in 50 died eightyone percent of patients infected with the new coronavirus had mild illness 14 percent had severe illness and 5 percent had critical illness according to the studythe pathogen is considerably less dangerous than other coronaviruses such as mers which kills about a third of people who become infected and sars which kills about 1 in 10 all of the diseases appear to latch on to proteins on the surface of lung cells but mers and sars seem to be more destructive to lung tissueheres how the new coronavirus compares with other infectious diseasesthe chart above uses a logarithmic vertical scale data near the top is compressed into a smaller space to make the variation between lessdeadly diseases easier to see diseases near the top of the chart are much deadlier than those in the middle\nolder people are much more likely to face serious illness than younger people the analysis of chinese patients found in that study nearly 15 percent of infected people over 80 died along with 8 percent of people in their 70s very few young children seem to be falling ill a pattern seen with some other respiratory viruses\nthose numbers could be reduced as more cases are discovered and it is possible that death rates at the center of the outbreak in china where hospitals were overwhelmed will end up higher than elsewhere in the worldpathogens can still be very dangerous even if their fatality rate is low even though influenza has a case fatality rate below one per 1000 roughly 200000 people end up hospitalized with the virus each year in the united states and about 35000 people die", + "https://www.nytimes.com/", + "TRUE", + 0.03460638127304793, + 441 + ], + [ + "2019 novel coronavirus (2019-nCoV) does not contain “pShuttle-SN” sequence; no evidence that virus is man-made", + "the pshuttlesn vector was designed by researchers seeking to develop a potential sars vaccine however the 2019 novel coronavirus does not contain a sequence from the pshuttlesn vector as claimed there is no evidence supporting the claim that 2019ncov is manmadethe article containing this claim was published in early february 2020 and went viral on facebook within days receiving more than 23000 interactions and 900000 views on facebook published by infowars it states that the 2019 novel coronavirus 2019ncov is manmade and that this is proven by the presence of a pshuttlesn sequence in the viral genome identical or similar claims have been repeated in outlets such as natural news and the highwire\nthe claim is based on another article published on 30 january 2020 and authored by james lyonsweiler who formerly worked at the university of pittsburgh as a bioinformatician lyonsweiler claimed that a gene sequence in the 2019ncov genome which he named ins1378 is similar to part of the sequence of the pshuttlesn expression vector pshuttlesn was created in a laboratory as part of an effort to produce a potential sars vaccine1 based on this observation he posited that 2019ncov was a manmade virus that arose from the sars vaccine experimentsexperts who examined lyonsweilers hypothesis found it to be scientifically unsound aaron irving a virologist and senior research fellow at dukenus medical school pointed out that the similarity between ins1378 and pshuttlesn is actually low with only a 67 match between the dna sequences lyonsweiler acknowledged this finding in his article but infowars and other outlets did notin fact conducting a multiple sequence alignment of ins1378 against all sequences in the national center for biotechnology information database demonstrates that ins1378 has a much higher similarity to bat coronaviruses than to pshuttlesn which does not even appear in the list of 100 closest matches this result thereby refutes lyonsweilers suggestion that the unique sequence in 2019ncov is more strongly related to pshuttlesn than to other coronaviruses the screenshot below shows the results of the multiple sequence alignment which lists the first 30 most similar sequences to ins1378steven salzburg a computational biologist and professor at johns hopkins school of medicine highlighted that the two aligned sequences are distantly related but this would argue against lyonsweilers claim if the insert came from a commercial vector it would be nearidenticalin short lyonsweilers analysis does not support his claim that 2019ncov is a laboratoryengineered virus or that the virus is linked to a sars vaccine inaccurate interpretation of his analysis by infowars and other outlets have further compounded the scientific errors resulting in an inaccurate and highly misleading reportaaron t irving senior research fellow dukenus medical schoolthe original blog post by james lyonsweiler lists 4 options for how 2019ncov originated he rejects options 1 and 2 which state that 2019ncov arose naturally as he is not an expert in virus evolution and so disregards the valid science option 3 is kind of crazy and completely irrelevant sars and 2019ncov are only bsl3 pathogens so it doesnt even matter if wuhan has a bsl4 lablyonsweiler suggests option 4 to be most likely option 4 shows that the ins1378 insert in 2019ncov has homology to pshuttlesn a vector used in an attempt to create a sars vaccine this is normal and expected since it is based on sarscov he even states himself there is low sequence homology with only a 67 match for this insert at the nucleic acid level as shown in the screenshotshe also looks at a partial protein sequence from this insert where there is only a 62 identity to sarscov and a 70 identity to a bat sarslike virus alex jones of infowars incorrectly interpreted the 92 query cover as homology when in fact it means only 92 matched at 62 homology and 8 of this protein chunk has no match at allthey claim this as a statement from lyonsweiler when it is actually their own poor reporting indeed when you perform blast on the insert as provided in lyonsweilers linkand blast it against everything in the ncbi database with dissimilarlow homology options included the pshuttlesn result is not even in the top 100 results limit of blast results due to the really low homology there is no other mention of any of the other 100 results which include bat sarslike viruses and sars itself all more homologous then the vaccine attempt this is just another example of poor science and people showing only part of the result possibly to suit their own agendaread morelyonsweilers analysis has also been criticized by other experts in this article by factcheckorg and another article by sciencebased medicinewe reviewed a similar claim regarding hiv insertions in 2019ncov which was also found to be inaccurate", + "https://healthfeedback.org/", + "TRUE", + 0.06245967741935485, + 789 + ], + [ + "Hot air from saunas, hair dryers won’t prevent or treat COVID-19", + "dr benjamin neuman an expert in coronaviruses who chairs the biological sciences department at texas am universitytexarkana said the sauna desert and hair dryer methods would not be effectivebreathing from saunas or a hair dryer would not have any effect on preventing or treating coronavirus and both are downright weird neuman told afp by email adding that relying on desert air for that purpose is equally insanethere isnt any strong evidence connecting environmental temperature to the transmission of coronavirus its more about how long you spend in close proximity to an infected person he saidi could think of as many reasons why it would potentially exacerbate an infection as reasons why it might helpdr karine le roch a professor of cell biology at the university of california riverside echoed neumans analysisso far there is absolutely no evidence that the covid19 virus can be treated via heat le roch told afp by emailregarding using a hair dryer there is absolutely no scientific evidence that it can prevent you from catching covid19 or treating the novel coronavirus she addedthe who says current evidence indicates that the novel coronavirus can be transmitted in all areas including areas with hot and humid weathernone of the methods advocated in the video appear on the whos page offering advice to the public about the virus the us centers for disease control and prevention cdc says on its novel coronavirus frequently asked questions page it is not yet known whether weather and temperature impact the spread of covid19none of the methods suggested in the video appear on the cdcs page on how to protect against the virus nor this page about caring for yourself if you are sick\nthe novel coronavirus originated in china in late 2019 but it has spread globally killing more than 9000 people wreaking economic havoc from asia to europe and the united states in a public health crisis that governments are struggling to halt", + "https://factcheck.afp.com/", + "TRUE", + 0.0675736961451247, + 322 + ], + [ + "Wondering About Social Distancing?", + "answers to your most common questions about the best practices for stemming the tide of the coronavirus pandemicon sunday the centers for disease control and prevention recommended against any gatherings of 50 or more people over the next eight weeks in an effort to contain the coronavirus pandemic many public schools libraries universities places of worship and sporting and cultural institutions have also shut down for at least the next few weeks these measures are an attempt to enforce distance between people a proven way to slow pandemicsexperts have also been urging people to practice voluntary social distancing the term has been trending on twitter with even president trump endorsing it on saturdaystill people all over the united states have been out in large numbers at restaurants bars and even sporting events suggesting more than a little confusion around what social distancing is and who should be practicing itthis is deeply worrying experts said because even those who become only mildly ill and maybe even those who never even know they are infected can propel the exponential movement of the virus through the populationthey emphasized that its important for everyone to practice social distancing not just those considered to be at high risk or who are seriously illthese are not normal times this is not a drill said dr jeanne marrazzo director of infectious diseases at the university of alabama in birmingham we have never been through anything like this beforewhat exactly is social distancing we asked experts for practical guidancewhat is social distancingput simply the idea is to maintain a distance between you and other people in this case at least six feetthat also means minimizing contact with people avoid public transportation whenever possible limit nonessential travel work from home and skip social gatherings and definitely do not go to crowded bars and sporting arenasevery single reduction in the number of contacts you have per day with relatives with friends coworkers in school will have a significant impact on the ability of the virus to spread in the population said dr gerardo chowell chair of population health sciences at georgia state universitythis strategy saved thousands of lives both during the spanish flu pandemic of 1918 and more recently in mexico city during the 2009 flu pandemicim young and dont have any risk factors can i continue to socializeplease dont there is no question that older people and those with underlying health conditions are most vulnerable to the virus but young people are by no means immuneand there is a greater public health imperative even people who show only mild symptoms may pass the virus to many many others particularly in the early course of the infection before they even realize they are sick so you might keep the chain of infection going right to your own older or highrisk relatives you may also contribute to the number of people infected causing the pandemic to grow rapidly and overwhelm the health care systemif you ignore the guidance on social distancing you will essentially put yourself and everyone else at much higher riskexperts acknowledged that social distancing is tough especially for young people who are used to gathering in groups but even cutting down the number of gatherings and the number of people in any group will helpcan i leave my houseabsolutely the experts were unanimous in their answer to this questionits ok to go outdoors for fresh air and exercise to walk your dog go for a hike or ride your bicycle for example the point is not to remain indoors but to avoid being in close contact with peopleyou may also need to leave the house for medicines or other essential resources but there are things you can do to keep yourself and others safe during and after these excursionswhen you do leave your home wipe down any surfaces you come into contact with disinfect your hands with an alcoholbased sanitizer and avoid touching your face above all frequently wash your hands especially whenever you come in from outside before you eat or before youre in contact with the very old or very youngcan i go to the supermarketyes but buy as much as you can at a time in order to minimize the number of trips and pick a time when the store is least likely to be crowdedwhen you do go be aware that any surface inside the store may be contaminated use a disinfecting wipe to clean the handle of the grocery cart for example experts did not recommend wearing gloves but if you do use them make sure you dont touch your face until you have removed the gloves\ndr caitlin rivers an epidemiologist at johns hopkins university recommends stowing your cellphone in an inaccessible place so that you dont absentmindedly reach for it while shopping that could be a transmission opportunity she saidif its a long shopping trip you may want to bring hand sanitizer with you and disinfect your hands in between and when you get home dr rivers said wash your hands right awaythose at high risk may want to avoid even these outings if they can help it especially if they live in densely populated areasdr marrazzo said her mother is an incredibly healthy 93yearold who usually drives herself to the store but she said she has asked her mother not to go out during this time because the risks are too great given the agerelated mortality were seeingcan i go out to dinner at a restaurant\nsome countries have closed down restaurants and bars for the next few weeks but there is no specific nationwide guidance yet on this in the us beyond the cdcs recommendation against gatherings of more than 50 peoplebefore new york city announced it would be shutting down restaurants and bars they were supposed to be operating at half capacity to maintain social distancing and soften the economic impact but in small restaurants that may still mean youre too close to other diners its also not possible to maintain true social distance from the people preparing or serving the foodin general avoid going out to restaurants dr marrazzo said but if youre going to go go to some place that you trust choose spacious restaurants and ones where the staff members likely practice good hygiene better yet opt for takeout if youre concerned for the restaurants financial future ask about purchasing gift certificates you can redeem latercan family come to visitthat depends on who is in your family and how healthy they arecertainly sick family should not visit said dr marrazzo if you have vulnerable people in your family or who are very old then limit inperson contactbut if everyone in the family is young and healthy then some careful interaction in small groups is probably ok the smaller the gathering the healthier the people are to start with the lower the risk of the situation is going to be she saidat the same time you dont want family members to feel isolated or not have the support of loved ones so check in with them by phone or plan activities to do with them on videocan i take my kids to the playgroundthat depends if your children have any illness even if its not related to the coronavirus keep them at homeif they seem healthy and desperately need to burn energy outdoor activities such as bike rides are generally ok but people especially in higherrisk areas may want to think twice about trips to hightraffic public areas like the playground said dr neha chaudhary a psychiatrist at harvard medical schoolkids also tend to touch their mouths noses and faces constantly so parks or playgrounds with few kids and few contaminated surfaces are ideal take hand sanitizer with you and clean any surfaces with disinfecting wipes before they playserious illness from this virus in kids is rare so the kids themselves might be safe that doesnt mean they cant come home and give it to grandma said dr marazzoso kids should wash their hands often especially before they come into contact with older or highrisk family membersim scared to feel alone is there anything i can do to make this easierits a scary and uncertain time staying in touch with family and friends is more important than ever because we are biologically hardwired to seek each other out when we are stressed said dr jonathan kanter director for the center for science of social connection at the university of washington in seattle\ndr kanter said he was particularly worried about the longterm impact of social isolation on both the sick and the healthy the absence of physical touch can have a profound impact on our stress levels he said and make us feel under threathe said even imagining a warm embrace from a loved one can calm the bodys fightorflight responsein the meantime we are lucky enough to have technologies at hand that can maintain social connections its important to note that social distancing does not mean social isolation dr chaudhary said\nshe suggested people stay connected via social media chat and video be creative schedule dinners with friends over facetime participate in online game nights plan to watch television shows at the same time enroll in remote learning classes its especially important to reach out to those who are sick or to highrisk people who are selfisolating a phone call with a voice is better than text and a video chat is better than a telephone call dr kanter said\nhow long will we need to practice social distancingthat is a big unknown experts said a lot will depend on how well the social distancing measures in place work and how much we can slow the pandemic down but prepare to hunker down for at least a month and possibly much longerin seattle the recommendations on social distancing have continued to escalate with the number of infections and deaths and as the health system has become increasingly strainedfor now its probably indefinite dr marrazzo said were in uncharted territory", + "https://www.nytimes.com/", + "TRUE", + 0.0840175913268019, + 1674 + ], + [ + "Digital handshake: Can contact tracing deliver on its promise in coronavirus battle?", + "as countries around the world ease the lockdowns that have been crippling their economies the race is on to develop smartphone apps to help contain the spread of the novel coronavirus when people are no longer confined to their homesscientists say contact tracing is key to prevent a resurgence of the virus by tracking down infected people and finding everyone who has been near them so they can get tested or quarantinedon tuesday britain started testing its own covid19 tracing app on the isle of wight off the south coast of england it joins australia israel singapore and other nations in rolling out such toolsbut the tech race has raised privacy and accuracy concerns among rights groups and technology expertsand the question of whether the apps can deliver on their promise is a matter of debate with researchers warning that mobile phones are no silver bullet against covid19a mobile app alone is not enough said thomas hardjono chief technology officer for the connection science programme at the massachusetts institute of technology mit which has built its own appfurther research to better understand the virus and consistent testing efforts would be needed to complement any contact tracing app he said it needs to be part of a bigger effortworldwide about 36 million people have been infected by the respiratory disease and more than 250000 have died according to a reuters tallybeyond traditional tracing contact tracing has been used for decades to control the spread of infectious diseases and is normally carried out by public health investigators who interview patients to find out who they have met and where they have been in the previous daysbut with almost half of novel coronavirus transmissions occurring before symptoms appear traditional methods are too slow to keep up researchers say\na report published in april by the johns hopkins center for health security in maryland said the united states needed 100000 more contact tracers to effectively tackle the pandemicgiven the virus rapid spread even a single days delay in contact tracing could be the difference between getting the virus under control and suffering a resurgence according to researchers from the university of oxford in britainhere is where health experts say apps can helpsmartphones keep track of their location via celltower signals wifi signals and the satellitebased global positioning system known as gpsthrough bluetooth technology which allows devices to connect to others nearby phones can also log other phones that have come within a few metres of them\nusing that data contact tracing apps can instantly inform users if they have come into contact with someone who has tested positive for covid19 and advise them to call a doctor get tested or selfisolatedigital handshakesbut the prospect of widespread data collection worries some citizens and civil rights groups like european digital rightsthe use of gps and other geolocation data could provide authorities with a detailed map of a users every movement leaving the door open to abuse said diego naranjo head of policy at the digital civil rights groupthat gives authorities a very accurate description of your reality and who you are it should be avoided at all costs he told the thomson reuters foundation by phoneif the data were to become public people at risk of infection could face discrimination and the places they visited become ostracized privacy activists say\napps that work only through bluetooth could offer more privacy protections because they amass less information collecting only data about who people meet but not where they are said naranjoyet issues remain around who can view a phones list of the devices it has connected with known as handshakessome states favour storing all the data on a central server while others prefer a system in which bluetooth logs would be kept on individual devicescentralised systems are easier to design and manage and would allow health authorities access to more information but privacy advocates say they could also expose millions of peoples personal data to hacks and leaksdecentralised is the best option said naranjo it gives more power to the individual and diminishes the riskno alternativecontact tracing apps are also not foolproof tech and biology experts have warnedgps or cell tower location data can wrongly record everyone on a busy city block as contactssimilarly bluetooth can log phones that are near each other but separated by walls although developers have been working on ways to better define contacts based on the length and strength of the handshakes between devicesapps also do not take into account whether users who have been in contact with others were wearing protective equipment at the time according to researchers from the brookings institution a washingtonbased think tankthis raises the possibility of an app flagging someone as being in danger of infection even if in reality the risk is minimal the researchers saythere is a real risk that these mobilebased apps can turn unaffected individuals into social pariahs restricted from accessing public and private spaces or participating in social and economic activities they wrote in an article last monthanother challenge is take up with some epidemiologists saying at least 40 of a countrys population needs to activate digital contact tracing for the system to be effectivein singapore only about one in five people have downloaded a governmentbacked bluetoothbased contact tracing app since it launched in march\nabout 12 of australians have so far installed a similar app that was launched last weekand a poll released in april by the washington post and the university of maryland found more than half of all americans either do not own smartphones or would not use the contact tracing app being developed by tech giants google and appleyet even with all their limitations apps could still prove useful if only because there is no alternative said hardjono of mitright now this is all we have he said", + "https://www.reuters.com/", + "TRUE", + 0.08726422740121369, + 970 + ], + [ + "Stock up on groceries, medicine and resources", + "preparation is the best way to protect your family and loved onesstock up on a 30day supply of groceries household supplies and prescriptionsthat doesnt mean youll need to eat only beans and ramen here are tips to stock a pantry with shelfstable and tasty foods dont forget the chocolate once youve got the food youll need use this guide to organize your pantry one quick rule of thumb put everyday items at eye level for easy access also be careful when youre buying those groceriesif you take prescription medications or are low on any overthecounter essentials go to the pharmacy sooner rather than laterand in no particular order make sure youre set with soap toiletries laundry detergent toilet paper and if you have small children diapers", + "https://www.nytimes.com/", + "TRUE", + 0.15288461538461537, + 126 + ], + [ + "Wash your hands. With soap. Then wash them again.", + "its not sexy but it workswash your hands wash your hands wash your hands that splashunderwater flick wont cut it anymorea refresher wet your hands and scrub them with soap taking care to get between your fingers and under your nails wash for at least 20 seconds or about the time it takes to sing happy birthday twice and dry make sure you get your thumbs too the cdc also recommends you avoid touching your eyes nose and mouth with unwashed hands tough one we know\nalcoholbased hand sanitizers which should be rubbed in for about 20 seconds can also work but the gel must contain at least 60 percent alcohol no titos handmade vodka doesnt workalso clean hightouch surfaces like phones tablets and handles apple recommends using 70 percent isopropyl alcohol wiping gently dont use bleach the company saidto disinfect any surface the cdc recommends wearing disposable gloves and washing hands thoroughly immediately after removing the gloves most household disinfectants registered by the environmental protection agency will worktry to stand away from other people especially if they seem sick wave bow or give an elbow bump rather than shaking handswatch our guide on how to wash your hands", + "https://www.nytimes.com/", + "TRUE", + 0.04145502645502646, + 199 + ], + [ + "The Long Road to Reopening", + "americans are eagerly awaiting the reopening of the countrybut despite white house guidelines that foresee a nearfuture return to normalcy scientists tend to disagree the new york times reportswhile plateauing cases in hotspots like new yorkachieved by strict quarantine measuresoffer some comfort uncertainty is the only guarantee the pandemics future depends on huge variables including a carefully staggered reopening approach and the timeline of effective treatments and a vaccinethe center for health security at the johns hopkins bloomberg school of public health outlined a reopening plan friday in a new report tailored to state governors report coauthor caitlin rivers said in a qa that while restarting economic activity is a priority there should be greater emphasis on avoiding a repeat of the conditions that led to the current lockdowns", + "https://www.globalhealthnow.org/", + "TRUE", + 0.13636363636363635, + 129 + ], + [ + "What symptoms to be on the lookout for and how to protect yourself from coronavirus", + "as the united states recorded its first coronavirus death and the number of infections grows worldwide many people are wondering what symptoms to be on the lookout for and how to protect themselvesthere are now 71 confirmed and presumptive positive cases of coronavirus in the united states heres what you should know to keep yourself safewhat are the symptomscoronavirus makes people sick usually with a mild to moderate upper respiratory tract illness similar to a common cold its symptoms include a runny nose cough sore throat headache and a fever that can last for a couple of daysfor those with a weakened immune system the elderly and the very young theres a chance the virus could cause a lower and much more serious respiratory tract illness like a pneumonia or bronchitishow does it spreadtransmission between humans happens when someone comes into contact with an infected persons secretions such as droplets in a coughdepending on how virulent the virus is a cough sneeze or handshake could cause exposure the virus can also be transmitted by coming into contact with something an infected person has touched and then touching your mouth nose or eyes caregivers can sometimes be exposed by handling a patients waste according to the cdcthe virus appears to mainly spread from person to personpeople are thought to be most contagious when they are most symptomatic the sickest the cdc says some spread might be possible before people show symptoms there have been reports of this occurring with coronavirus but this is not thought to be the main way the virus spreads\nhow is it treatedthere is no specific antiviral treatment but research is underwaymost of the time symptoms will go away on their own and experts advise seeking care early if symptoms feel worse than a standard cold see your doctor doctors can relieve symptoms by prescribing a pain or fever medication the cdc says a room humidifier or a hot shower can help with a sore throat or cough\npeople with coronavirus should receive supportive care to help relieve symptoms in some severe cases treatment includes care to support vital organ functions the cdc sayspeople who think they may have been exposed to the virus should contact their healthcare provider immediatelyhow long is the incubation periodquarantine is usually set up for the incubation period the span of time during which people have developed illness after exposure for coronavirus the period of quarantine is 14 days from the last date of exposure because 14 days is the longest incubation period seen for similar illnesseshow can you can prevent itthere is no vaccine to protect against it at least not yetthe us national institutes of health is working on a vaccine but it will be months until clinical trials get underway and more than a year until it might become availablemeanwhile you may be able to reduce your risk of infection by avoiding people who are sick cover your mouth and nose when you cough or sneeze and disinfect the objects and surfaces you touchavoid touching your eyes nose and mouth wash your hands often with soap and water for at least 20 secondsawareness is also key if you are sick and have reason to believe it may be coronavirus you should let a health care provider know and seek treatment early", + "https://www.cnn.com/", + "TRUE", + 0.03612231739891315, + 552 + ], + [ + "Coronavirus disease 2019 (COVID-19)", + "coronaviruses are a family of viruses that can cause illnesses such as the common cold severe acute respiratory syndrome sars and middle east respiratory syndrome mers in 2019 a new coronavirus was identified as the cause of a disease outbreak that originated in chinathe virus is now known as the severe acute respiratory syndrome coronavirus 2 sarscov2 the disease it causes is called coronavirus disease 2019 covid19 in march 2020 the world health organization who declared the covid19 outbreak a pandemicpublic health groups including the us centers for disease control and prevention cdc and who are monitoring the pandemic and posting updates on their websites these groups have also issued recommendations for preventing and treating the illnesssymptomssigns and symptoms of coronavirus disease 2019 covid19 may appear two to 14 days after exposure this time after exposure and before having symptoms is called the incubation period common signs and symptoms can includefevercough shortness of breath or difficulty breathing other symptoms can includetirednessacheschillssore throatloss of smellloss of tasteheadachesevere vomitingthe severity of covid19 symptoms can range from very mild to severe some people may have only a few symptoms and some people may have no symptoms at all people who are older or who have existing chronic medical conditions such as heart disease lung disease diabetes severe obesity chronic kidney or liver disease or who have compromised immune systems may be at higher risk of serious illness this is similar to what is seen with other respiratory illnesses such as influenzasome people may experience worsened symptoms such as worsened shortness of breath and pneumonia about a week after symptoms startwhen to see a doctorif you have covid19 symptoms or youve been in contact with someone diagnosed with covid19 contact your doctor or clinic right away for medical advice tell your health care team about your symptoms and possible exposure before you go to your appointmentif you have emergency covid19 signs and symptoms seek care immediately emergency signs and symptoms can includetrouble breathingpersistent chest pain or pressure new confusionblue lips or faceif you have signs or symptoms of covid19 contact your doctor or clinic for guidance let your doctor know if you have other chronic medical conditions such as heart disease or lung disease during the pandemic its important to make sure health care is available for those in greatest needcausesinfection with the new coronavirus severe acute respiratory syndrome coronavirus 2 or sarscov2 causes coronavirus disease 2019 covid19the virus appears to spread easily among people and more continues to be discovered over time about how it spreads data has shown that it spreads from person to person among those in close contact within about 6 feet or 2 meters the virus spreads by respiratory droplets released when someone with the virus coughs sneezes or talks these droplets can be inhaled or land in the mouth or nose of a person nearbyit can also spread if a person touches a surface with the virus on it and then touches his or her mouth nose or eyesrisk factorsrisk factors for covid19 appear to includerecent travel from or residence in an area with ongoing community spread of covid19 as determined by cdc or who close contact with someone who has covid19 such as being within 6 feet or 2 meters or being coughed on which can occur when a family member or health care worker takes care of an infected personcomplicationsalthough most people with covid19 have mild to moderate symptoms the disease can cause severe medical complications and lead to death in some people older adults or people with existing chronic medical conditions are at greater risk of becoming seriously ill with covid19complications can includepneumonia in both lungsorgan failure in several organsrespiratory failureheart problems such as heart rhythm problems and a disease of the heart muscle that makes it hard for your heart to pump blood to the body cardiomyopathyacute kidney injuryadditional viral and bacterial infections prevention although there is no vaccine available to prevent covid19 you can take steps to reduce your risk of infection who and cdc recommend following these precautions for avoiding covid19avoid large events and mass gatheringsavoid close contact within about 6 feet or 2 meters with anyone who is sick or has symptomsstay home as much as possible and keep distance between yourself and others within about 6 feet or 2 meters if covid19 is spreading in your community especially if you have a higher risk of serious illness keep in mind some people may have covid19 and spread it to others even if they dont have symptoms or dont know they have covid19wash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains at least 60 alcoholcover your face with a cloth face covering in public spaces such as the grocery store where its difficult to avoid close contact with others especially if youre in an area with ongoing community spread only use nonmedical cloth masks surgical masks and n95 respirators should be reserved for health care providers\ncover your mouth and nose with your elbow or a tissue when you cough or sneeze throw away the used tissueavoid touching your eyes nose and mouthavoid sharing dishes glasses bedding and other household items if youre sickclean and disinfect hightouch surfaces dailystay home from work school and public areas if youre sick unless youre going to get medical care avoid taking public transportation if youre sickif you have a chronic medical condition and may have a higher risk of serious illness check with your doctor about other ways to protect yourselftravel if youre planning to travel first check the cdc and who websites for updates and advice also look for any health advisories that may be in place where you plan to travel you may also want to talk with your doctor if you have health conditions that make you more susceptible to respiratory infections and complications", + "https://www.mayoclinic.org/", + "TRUE", + 0.05494181143531794, + 985 + ], + [ + "With schools closing in many parts of the country, is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes?", + "the truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all timesall people can do is try to minimize the risk by doing things likechoosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible\nmaking sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating", + "https://www.health.harvard.edu/", + "TRUE", + 0.1396031746031746, + 159 + ], + [ + "False claim: Bill Gates wants to microchip people; Anthony Fauci wants people to carry vaccination certificates", + "posts on social media claim that bill gates allegedly wants to microchip people while dr anthony fauci wants the public to carry vaccination certificates as of may 5 2020 multiple posts with this claim have over 29700 sharesexamples are visible here here here and here the claim is falsethe reuters fact check team previously debunked a claim that bill gates planned to launch microchip skin implants to fight the coronavirus here the claim emerged after a reddit qa in which gates mentioned foreseeing the use of digital certificates to show who has been tested for covid19 or who has recovered from the disease here most of the iterations of this claim misleadingly refer to quantum dot dye technology which was founded by the gates foundation kevin mchugh one of the lead authors of the quantum dot dye research paper confirmed to reuters this technology is not a microchip or human implantable capsule instead it is similar to a tattoo which would help provide uptodate patient vaccine records for professionals in places lacking medical records the bill and melinda gates foundation told reuters via email that the reference to digital certificates relates to efforts to create an open source digital platform with the goal of expanding access to safe homebased testing reuters found no evidence of any statement given by dr anthony fauci director of the national institute of allergy and infectious diseases niaid part of national institutes of health regarding vaccination certificates the viral posts might stem from a cnn interview in which dr fauci said the idea of americans carrying certificates of immunity in the future is possible he added that this might have some merit in certain circumstance at the 248 mark here according to dr fauci these certificates would identify those who have tested positive for covid19 antibodies rather than a potential vaccine he confirmed these are already being discussed by the white house coronavirus task force and would be useful for vulnerable people and health workers here while the us government certainly appears to be considering certificates of immunity as of may 4 2020 reuters did not find evidence suggesting fauci thought it compulsory that americans would have to carry immunity certificates in the futurethe world health organization who has recently warned governments against issuing immunity passports as there is no evidence that recovered patients cannot be reinfected here in late april chile confirmed it will move forward with coronavirus release certificates for recovered coronavirus patients but that these documents will not certify immunity https wwwreuterscomarticleushealthcoronaviruschileinreversalchilesayscoronavirusreleasecertificateswillnotproveimmunityiduskbn22b2zy verdict false bill gates foresees the use of digital certificates with health records but did not say these would be in the form of microchip implants dr fauci has accepted the possibility of americans carrying certificates of immunity in the future not vaccination certificatesthis article was produced by the reuters fact check team read more about our work to factcheck social media posts here", + "https://www.reuters.com/", + "TRUE", + 0.08105423987776927, + 484 + ], + [ + "Is there a treatment for the COVID-19 disease?", + "there is no specific treatment or vaccine for this diseasehealthcare providers are mostly using a symptomatic approach meaning they treat the symptoms rather than target the virus and provide supportive care eg oxygen therapy fluid management for infected persons which can be highly effectivein severe and critically ill patients a number of drugs are being tried to target the virus but the use of these need to be more carefully assessed in randomised controlled trials several clinical trials are ongoing to assess their effectiveness but results are not yet availableas this is a new virus no vaccine is currently available although work on a vaccine has already started by several research groups and pharmaceutical companies worldwide it may be many months or even more than a year before a vaccine has been tested and is ready for use in humans", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.18642424242424244, + 140 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 177 + ], + [ + "Silent COVID-19: what your skin can reveal", + "clinical manifestations of coronavirus disease 2019 covid19 are rare or absent in children and adolescents hence early clinical detection is fundamental to prevent further spreading we report three young patients presenting with chilblainlike lesions who were diagnosed with severe acute respiratory syndrome coronavirus 2 sarscov2 infection two of them were asymptomatic and potentially contagious skin lesions such as erythematous rashes urticaria and chicken poxlike vesicles were reported in 18 204 of 88 patients with covid19 in a previous study3 these symptoms developed at the onset of sarscov2 infection or during hospital stay and did not correlate with disease severity3 in our cases lesions involved the acral sites especially the dorsum of the digits of the feet beginning as erythematousviolaceous patches that slowly evolved to purpuric lesions and then to blisters and ulceronecrotic lesions with final complete return to normal burning and itching were also present with some of the lesions informed consent was obtained from the parents of patients 1 and 2 and from patient 3 himselfpatient 1 was a 14yearold boy who presented to the hospital with erythematousviolaceous lesions involving the dorsum of all digits of both feet after 7 days a few red macules and papules appeared on the lateral and plantar aspect of both feet and a small ulcer developed on the fifth digit of the left foot figure because a family member had tested positive for sarscov2 the patient underwent nasopharyngeal swab and was found positive for sarscov2 on rtpcr the lesions disappeared in the following 7 dayspatient 2 was a 14yearold boy with no known contact with covid19 cases who had been asymptomatic since the beginning of the skin disease for which his parents requested a teledermatology consultation manifestations consisted of small erythematousviolaceous lesions on the dorsum of almost all digits of the feet some of which were characterised by necrotic aspects with blackish crusts appendix the lesions lasted 20 days with complete healing nasopharyngeal swab taken by the familys paediatrician 2 days after the skin manifestations appeared was positive for sarscov2patient 3 was an 18yearold boy whose grandfather had covid19 pneumonia after 2 days with fever 385c the boy reported the appearance of chilblainlike lesions involving the distal part of all digits of the feet appendix skin manifestations remained unchanged for 10 days suddenly disappearing without treatment nasopharyngeal swab taken 4 days after the skin manifestations appeared was positive the patient was otherwise asymptomatic\nacute acroischaemic manifestations along the course of sarscov2 infection seem to be different from classic acrocyanosis erythema pernio and vasculitis however they could represent a cutaneous expression of the typical thrombotic pattern of covid19 due to hyperinflammation4 and altered coagulation and endothelial damageduring this time children and adolescents with chilblainlike lesions who are otherwise asymptomatic should undergo sarscov2 testing which could help early detection of silent carriers", + "https://www.thelancet.com/", + "TRUE", + 0.03798400673400674, + 467 + ], + [ + "Call your doctor if you are feeling sick", + "if you develop a high fever shortness of breath or another more serious symptom call your doctortheres a good chance you wont be tested testing for coronavirus is still inconsistent there are not enough kits and its dangerous to go into a doctors office and risk infecting others also check the centers for disease control and prevention website and your local health department for advice about how and where to be tested", + "https://www.nytimes.com/", + "TRUE", + 0.060952380952380945, + 72 + ], + [ + "What should and shouldn't I do during this time to avoid exposure to and spread of this coronavirus? For example, what steps should I take if I need to go shopping for food and staples? What about eating at restaurants, ordering takeout, going to the gym or swimming in a public pool?", + "the answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your familyif you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to gohere are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with others", + "https://www.health.harvard.edu/", + "TRUE", + 0.07107843137254902, + 164 + ], + [ + "Being able to hold your breath for 10 seconds or more without coughing or feeling discomfort DOES NOT mean you are free from the coronavirus disease (COVID-19) or any other lung disease.", + "the most common symptoms of covid19 are dry cough tiredness and fever some people may develop more severe forms of the disease such as pneumonia the best way to confirm if you have the virus producing covid19 disease is with a laboratory test you cannot confirm it with this breathing exercise which can even be dangerous", + "https://www.who.int/", + "TRUE", + 0.1476190476190476, + 56 + ], + [ + "How to Clean Your Phone to Help Protect Against Coronavirus", + "its one thing to stop touching your face its another to stop touching the things that touch your facethe coronavirus is here and its showing no signs of letting up one of the best ways to protect yourself is to keep your hands clean and off your face but its hard to maintain constant vigilancekeeping your phone sanitized is another smart way to keep germs off your fingertips the centers for disease control and prevention considers your phone a hightouch surface which could make it a carrier of the virusbut cleaning your phone thoroughly i mean is not as straightforward as it might seem there are all sorts of nooks and crannies delicate glass and intricate protective casesthe donts any sort of moisture can interfere with your phones function apple recommends that people avoid using spray cleaners or heavyduty productsno bleach no aerosol sprays you need your phone to work even if you want it cleanalso and this probably goes without saying dont dunk your phone into any sort of liquid antibacterial or otherwise it wont end well for either of youthe dos a gentle wipe with a product that has 70 percent isopropyl alcohol will do just fine apple recommends clorox disinfecting wipes and the cdc says household disinfectants registered by the environmental protection agency are effectivewear disposable gloves to clean the cdc recommends and wash your hands thoroughly after youre done like your phone reusable gloves might harbor virus particles rendering them effectively uselessand dont forget your phone casewipe it down in and out through and through let it dry before reassembling ityou might also consider changing a bit of your behavior att suggests sharing photos through texts instead of passing the phone around and using devices like headphones and technology like bluetooth to keep your phone away from your facewhythis might be the best thing you can do all day this outbreak is fastmoving and research is by nature slow to catch up as a result the cdc does not yet know exactly how long the virus can cling to a surface but evidence suggests it could be hours to daysand phones are well gross a 2017 study published in the journal germs found a host of bacteria viruses and pathogens on 27 phones owned by teenagers the scientists wrote that they hypothesize that this may play a role in the spread of infectious agents in the communitysafe is always better than sorry", + "https://www.nytimes.com/", + "TRUE", + 0.1875172532781229, + 406 + ], + [ + "Could I infect my pets with coronavirus, or vice versa? Can someone get infected by touching an animal’s fur? Should I get my pet tested for coronavirus?", + "there have been some reports of animals infected by coronavirus including two pets in new york and eight big cats at the bronx zoomost of those infections came from contact with people who had coronavirus like a zoo employee who was an asymptomatic carrierbut according to the cdc there is no evidence animals play a significant role in spreading the virus to humans therefore at this time routine testing of animals for covid19 is not recommendedas always its best to wash your hands after touching an animals fur and before touching your face and if your pet appears to be sick call your veterinarian", + "https://www.cnn.com/", + "TRUE", + 0.2567254174397031, + 104 + ], + [ + "How smoking, vaping and drug use might increase risks from Covid-19", + "earlier this month the us centers for disease control and prevention updated its covid19 recommendations to specifically target older adults and people with serious underlying medical conditions they labeled this group as higher riskhowever another group of people could be particularly vulnerable to covid19 and hasnt received as much attention people who smoke vape or have substance use disordersthe research community should be alert to the possibility that covid19 could hit some populations with substance use disorders particularly hard dr nora volkow director of the national institute on drug abuse wrote in a blog post published last weekbecause covid19 attacks the lungs those who smoke tobacco or marijuana or who vape may be especially threatened volkow saidwhen someones lungs are exposed to flu or other infections the adverse effects of smoking or vaping are much more serious than among people who do not smoke or vape stanton glantz professor of medicine and director of the center for tobacco research control education at university of california san francisco wrote in a blog post updated tuesdayvaping affects your lungs at every level it affects the immune function in your nasal cavity by affecting cilia which push foreign things outthe ability of your upper airways to clear viruses is compromised glantz said in a phone interviewthe cdc reported on wednesday that young adults under age 44 make up a big part of covid19 hospitalizations in the us and glantz questions whether the vaping epidemic might have contributed to this\nsome of my pulmonary colleagues have noted people under 30 with covid19 ending up in hospitals and a couple were vapors glantz said however he said there hasnt been enough research or evidence to support whether theres a linkpeople who smoke are generally at an increased risk of serious complications such as acute respiratory distress syndrome when they have a severe infectionthe odds of a covid19 case becoming more severe and at the most extreme leading to death were 14 times higher among people who had a history of smoking compared to those who did not smoke glantz said citing a study from china published in the peerreviewed chinese medical journal in february the study also found those with a history of smoking had a 14 higher risk of developing pneumonia\nconcerns about other drugs besides smoking and ecigarettes volkow wrote that people who abuse opioids and methamphetamine may be at risk for serious complications of covid19 because of the effects these drugs have on respiratory and pulmonary healthopioids slow breathing and have already been shown to increase mortality in people with respiratory diseases according to volkow thus diminished lung capacity from covid19 could similarly endanger this population she saidmethamphetamine has been shown to produce significant pulmonary damage since it binds heavily to pulmonary tissue volkow explained in a phone interview this will likely increase the risk of negative outcomes if used during a covid19 infectionpeople with substance use disorders also rely on treatment that traditionally involves human interaction such as therapy sessions or methadone clinics which will be challenging in the setting of widespread social distancing according to dr allison lin assistant professor in psychiatry and the addiction center at the university of michigan\nlin said its important for everyone to quit smoking due to its unknown but potentially serious effects on covid19 patients this is particularly important for people with substance use disorders since they are more likely to smoke she saidfor everyone infected with covid19 one thing people can do now to reduce the risk of serious illness is quitting smoking according to glantzat a time when people are looking to reduce risk its very sensible to stop insulting your lungs he said", + "https://www.cnn.com/", + "TRUE", + 0.014434523809523814, + 612 + ], + [ + "How deadly is it and who is most at risk?", + "public health officials say the novel coronavirus is less deadly than sars which killed about 10 percent of people who were infected during the outbreak that began in 2002 but epidemiologists are still trying to determine exactly how deadly covid19 issimilar to other respiratory illnesses older people and those with illnesses such as diabetes and high blood pressure are at increased risk data show that the virus is killing more men than women in the usbut as with other diseases there can be tremendous individual variation in how people respond there will be people with known risk factors who recover as well as people who develop severe cases for reasons we dont understandtheres also no evidence that children are more prone to contracting covid19 according to the cdc and that was also the case with the diseases cousins sars and mers", + "https://www.washingtonpost.com/", + "TRUE", + 0.059555555555555556, + 141 + ], + [ + "Should I spray myself or my kids with disinfectant?", + "no those products work on surfaces but can be dangerous to your bodythere are some chemical disinfectants including bleach 75 ethanol peracetic acid and chloroform that may kill the virus on surfacesbut if the virus is already in your body putting those substances on your skin or under your nose wont kill it the world health organization says not to mention those chemicals can harm youand please do not ingest chemical disinfectants", + "https://www.cnn.com/", + "TRUE", + -0.6, + 72 + ], + [ + "What to Do If You Are Sick", + "if you have a fever cough or other symptoms you might have covid19 most people have mild illness and are able to recover at home if you think you may have been exposed to covid19 contact your healthcare provider immediatelykeep track of your symptomsif you have an emergency warning sign including trouble breathing get medical attention right awaysteps to help prevent the spread of covid19 if you are sickfollow the steps below if you are sick with covid19 or think you might have covid19 follow the steps below to care for yourself and to help protect other people in your home and communityhouse user iconstay home except to get medical carestay home most people with covid19 have mild illness and can recover at home without medical care do not leave your home except to get medical care do not visit public areastake care of yourself get rest and stay hydrated take overthecounter medicines such as acetaminophen to help you feel betterstay in touch with your doctor call before you get medical care be sure to get care if you have trouble breathing or have any other emergency warning signs or if you think it is an emergencyavoid public transportation ridesharing or taxisbed iconseparate yourself from other peopleas much as possible stay in a specific room and away from other people and pets in your home if possible you should use a separate bathroom if you need to be around other people or animals in or outside of the home wear a cloth face coveringadditional guidance is available for those living in close quarters and shared housingsee covid19 and animals if you have questions about petstemperature high iconmonitor your symptomssymptoms of covid19 include fever cough and shortness of breath but other symptoms may be present as well trouble breathing is a more serious symptom that means you should get medical attentionfollow care instructions from your healthcare provider and local health department your local health authorities may give instructions on checking your symptoms and reporting informationwhen to seek emergency medical attentionlook for emergency warning signs for covid19 if someone is showing any of these signs seek emergency medical care immediatelytrouble breathingpersistent pain or pressure in the chestnew confusioninability to wake or stay awakebluish lips or face this list is not all possible symptoms please call your medical provider for any other symptoms that are severe or concerning to youcall 911 or call ahead to your local emergency facility notify the operator that you are seeking care for someone who has or may have covid19mobile iconcall ahead before visiting your doctorcall ahead many medical visits for routine care are being postponed or done by phone or telemedicineif you have a medical appointment that cannot be postponed call your doctors office and tell them you have or may have covid19 this will help the office protect themselves and other patientshead side mask iconif you are sick wear a cloth covering over your nose and mouthyou should wear a cloth face covering over your nose and mouth if you must be around other people or animals including pets even at homeyou dont need to wear the cloth face covering if you are alone if you cant put on a cloth face covering because of trouble breathing for example cover your coughs and sneezes in some other way try to stay at least 6 feet away from other people this will help protect the people around you\ncloth face coverings should not be placed on young children under age 2 years anyone who has trouble breathing or anyone who is not able to remove the covering without helpnote during the covid19 pandemic medical grade facemasks are reserved for healthcare workers and some first responders you may need to make a cloth face covering using a scarf or bandanabox tissue iconcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneezethrow away used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholhands wash iconclean your hands oftenwash your hands often with soap and water for at least 20 seconds this is especially important after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing fooduse hand sanitizer if soap and water are not available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel drysoap and water are the best option especially if hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handshandwashing tipsno iconavoid sharing personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people in your homewash these items thoroughly after using them with soap and water or put in the dishwashercleaning iconclean all hightouch surfaces everydayclean and disinfect hightouch surfaces in your sick room and bathroom wear disposable gloves let someone else clean and disinfect surfaces in common areas but you should clean your bedroom and bathroom if possibleif a caregiver or other person needs to clean and disinfect a sick persons bedroom or bathroom they should do so on an asneeded basis the caregiverother person should wear a mask and disposable gloves prior to cleaning they should wait as long as possible after the person who is sick has used the bathroom before coming in to clean and use the bathroomhightouch surfaces include phones remote controls counters tabletops doorknobs bathroom fixtures toilets keyboards tablets and bedside tablesclean and disinfect areas that may have blood stool or body fluids on themuse household cleaners and disinfectants clean the area or item with soap and water or another detergent if it is dirty then use a household disinfectantbe sure to follow the instructions on the label to ensure safe and effective use of the product many products recommend keeping the surface wet for several minutes to ensure germs are killed many also recommend precautions such as wearing gloves and making sure you have good ventilation during use of the productmost eparegistered household disinfectants should be effective a full list of disinfectants can be found hereexternal iconcomplete disinfection guidance house leave icon how to discontinue home isolationpeople with covid19 who have stayed home home isolated can leave home under the following conditionsif you have not had a test to determine if you are still contagious you can leave home after these three things have happened you have had no fever for at least 72 hours that is three full days of no fever without the use of medicine that reduces fevers and other symptoms have improved for example when your cough or shortness of breath have improved and at least 10 days have passed since your symptoms first appeared if you have had a test to determine if you are still contagious you can leave home after these three things have happened you no longer have a fever without the use of medicine that reduces fevers and other symptoms have improved for example when your cough or shortness of breath have improved and you received two negative tests in a row at least 24 hours apart your doctor will follow cdc guidelinespeople who did not have covid19 symptoms but tested positive and have stayed home home isolated can leave home under the following conditions\nif you have not had a test to determine if you are still contagious you can leave home after these two things have happened\nat least 10 days have passed since the date of your first positive test and you continue to have no symptoms no cough or shortness of breath since the testif you have had a test to determine if you are still contagious you can leave home afteryou received two negative tests in a row at least 24 hours apart your doctor will follow cdc guidelinesnote if you develop symptoms follow guidance above for people with covid19 symptomsin all cases follow the guidance of your doctor and local health department the decision to stop home isolation should be made in consultation with your healthcare provider and state and local health departments some people for example those with conditions that weaken their immune system might continue to shed virus even after they recoverfind more information on when to end home isolation", + "https://www.cdc.gov/", + "TRUE", + 0.028434704184704195, + 1404 + ], + [ + "Basic protective measures against the new coronavirus", + "stay aware of the latest information on the covid19 outbreak available on the who website and through your national and local public health authority most people who become infected experience mild illness and recover but it can be more severe for others take care of your health and protect others by doing the following wash your hands frequently regularly and thoroughly clean your hands with an alcoholbased hand rub or wash them with soap and waterwhy washing your hands with soap and water or using alcoholbased hand rub kills viruses that may be on your hands maintain social distancing maintain at least 1 metre 3 feet distance between yourself and anyone who is coughing or sneezing why when someone coughs or sneezes they spray small liquid droplets from their nose or mouth which may contain virus if you are too close you can breathe in the droplets including the covid19 virus if the person coughing has the disease avoid touching eyes nose and mouth why hands touch many surfaces and can pick up viruses once contaminated hands can transfer the virus to your eyes nose or mouth from there the virus can enter your body and can make you sick practice respiratory hygiene make sure you and the people around you follow good respiratory hygiene this means covering your mouth and nose with your bent elbow or tissue when you cough or sneeze then dispose of the used tissue immediately why droplets spread virus by following good respiratory hygiene you protect the people around you from viruses such as cold flu and covid19 if you have fever cough and difficulty breathing seek medical care early stay home if you feel unwell if you have a fever cough and difficulty breathing seek medical attention and call in advance follow the directions of your local health authority why national and local authorities will have the most up to date information on the situation in your area calling in advance will allow your health care provider to quickly direct you to the right health facility this will also protect you and help prevent spread of viruses and other infections stay informed and follow advice given by your healthcare provider\nstay informed on the latest developments about covid19 follow advice given by your healthcare provider your national and local public health authority or your employer on how to protect yourself and others from covid19 why national and local authorities will have the most up to date information on whether covid19 is spreading in your area they are best placed to advise on what people in your area should be doing to protect themselves", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public", + "TRUE", + 0.17841478696741853, + 439 + ], + [ + "What can I do to protect myself and prevent the spread of the disease?", + "stay aware of the latest information on the covid19 outbreak available on the who website and through your national and local public health authority most countries around the world have seen cases of covid19 and many are experiencing outbreaks authorities in china and some other countries have succeeded in slowing their outbreaks however the situation is unpredictable so check regularly for the latest newsyou can reduce your chances of being infected or spreading covid19 by taking some simple precautionsregularly and thoroughly clean your hands with an alcoholbased hand rub or wash them with soap and water why washing your hands with soap and water or using alcoholbased hand rub kills viruses that may be on your handsmaintain at least 1 metre distance between yourself and others why when someone coughs sneezes or speaks they spray small liquid droplets from their nose or mouth which may contain virus if you are too close you can breathe in the droplets including the covid19 virus if the person has the disease\navoid going to crowded places why where people come together in crowds you are more likely to come into close contact with someone that has covid19 and it is more difficult to maintain physical distance of 1 metreavoid touching eyes nose and mouth why hands touch many surfaces and can pick up viruses once contaminated hands can transfer the virus to your eyes nose or mouth from there the virus can enter your body and infect youmake sure you and the people around you follow good respiratory hygiene this means covering your mouth and nose with your bent elbow or tissue when you cough or sneeze then dispose of the used tissue immediately and wash your hands why droplets spread virus by following good respiratory hygiene you protect the people around you from viruses such as cold flu and covid19stay home and selfisolate even with minor symptoms such as cough headache mild fever until you recover have someone bring you supplies if you need to leave your house wear a mask to avoid infecting others why avoiding contact with others will protect them from possible covid19 and other virusesif you have a fever cough and difficulty breathing seek medical attention but call by telephone in advance if possible and follow the directions of your local health authority why national and local authorities will have the most up to date information on the situation in your area calling in advance will allow your health care provider to quickly direct you to the right health facility this will also protect you and help prevent spread of viruses and other infections\nkeep up to date on the latest information from trusted sources such as who or your local and national health authorities why local and national authorities are best placed to advise on what people in your area should be doing to protect themselves", + "https://www.who.int/", + "TRUE", + 0.16074016563147, + 479 + ], + [ + "Migrants are not bringing COVID-19 to Europe.", + "the coronavirus is spread from one infected person to another through droplets that people sneeze cough or exhale and is not carried by any particular population or group if you read that the virus is purposefully being spread by migrants or specific ethnic groups be assured that there is no scientific basis to such claims in fact covid19 is a global crisis that requires global solidarity", + "https://ec.europa.eu/", + "TRUE", + 0.03333333333333333, + 66 + ], + [ + "Truth Tracker: 'Plandemic' video full of false conspiracy theories about COVID-19", + "a documentarystyle video called plandemic the hidden agenda behind covid19 has been removed by social media platforms after peddling potentially dangerous conspiracy theories about the coronavirus pandemicthe 26minute video has reportedly been viewed millions of times across facebook youtube twitter and other websites despite its misleading claims according to data from social media tracking tool buzzsumothe video is said to be the first part of an upcoming documentary according to california production company elevate films which did not respond to ctvnewscas request for comment it consists of an interview between filmmaker mikki willis whose other videos highlight conspiracy theories and dr judy mikovits a former scientist at the national cancer institute in the usthe documentary is about mikovits theories that the coronavirus pandemic was planned in the video she claims that the virus was created in a laboratory that wearing masks actually makes people sick and that flu vaccines increase peoples odds of contracting covid19 she also makes repeated accusations against dr anthony fauci one of the lead members of the trump administrations white house coronavirus task forceno medical or scientific evidence exists to support these or any of mikovits claims in the videolaboratory theoryone of mikovits main claims is that the coronavirus was created and manipulated in laboratories in china and the usdespite previous reports that us officials were investigating the possibility that the virus was secretly manufactured in a chinese lab there is no scientific evidence to support those theoriesa study by researchers from several public health organizations published march 17 in the journal nature medicine found that the virus when tested by computer simulations does not appear to bind well to human cells the researchers determined that if someone wanted to create a dangerous virus capable of spreading among humans their own simulations would show that this virus simply wouldnt workour analyses clearly show that sarscov2 is not a laboratory construct or a purposefully manipulated virus researchers wrote in the articlescientists who have studied the virus point to bats as the likeliest source of transmission to humans suggesting that covid19 was created by nature not humans the earliest reported cases of covid19 were linked to a live animal market in wuhan that sold exotic species bolstering this researchmikovits also claims that covid19 was derived from the sars virus while the novel coronavirus is similar to sars both originated from bats cause respiratory illness and spread through coughs and sneezes sarscov2 the virus that causes covid19 is a new disease according to a study published in the lancet\naccording to several independent studies the viruss genetic structure closely resembles one that already exists in horseshoe bats in chinas hunan province\nbats have an unusually high capacity to harbour viruses and scientists believe the virus may have spread from bats to an intermediary animal possibly stray dogs snakes or pangolins before infecting humansmasks do not activate the virusin the video mikovits alleges that wearing a face mask can activate the coronavirus she says that people who wear masks are becoming sick from their own reactivated coronavirus expressions there is no evidence to support thisaccording to health professionals wearing a nonmedical face mask may prevent the spread of the coronavirus it does not make people more susceptible to it public health officials have recommended that people wear homemade face masks when theyre out in public especially when physical distancing may be difficult such as in grocery stores or on public transit this is to protect others around the wearer because there is evidence the virus can be spread among asymptomatic individuals or those who dont have any symptoms of covid19hydroxychloroquine debatehydroxychloroquine an antimalarial drug dubbed a game changer by us president donald trump for its potential ability to fight the new coronavirus was found to be no more effective than standard treatment in a small chinese studyhowever in plandemic mikovits repeatedly pushes it as effective against these families of viruseswhile some studies have found that hydroxychloroquine could mitigate some symptoms of covid19 other research has found no such evidencehealth canada issued a warning in april of the possible side effects of the drug in the health advisory health canada said it is concerned people may be purchasing chloroquine and hydroxychloroquine to treat or prevent covid19 and that the drugs should not be taken unless prescribed and under supervision of a physicianhealth canada said that the drugs can lead to dizziness fainting seizures liver or kidney problems and a potentially fatal irregular heart ratethere are more than 50 studies in the works on hydroxychloroquine including in canada but health officials say it is too soon to known whether the drug is a viable treatmentthere is currently no accepted cure or vaccine for covid19antivaccination anglemikovits claims that the flu vaccines increase the odds by 36 per cent of getting covid19 she backs up this claim by citing a study published in january in the peerreviewed journal vaccine the study looked at personnel in the us defense department between 2017 and 2018 and found that the odds of getting coronaviruses were greater for vaccinated officials than unvaccinated officialshowever scientists have since noted flaws in the studys experimental design for example the number of vaccinated individuals studied was more than twice as large as the number of those who were not vaccinated in addition the study tested for an unspecified coronavirus not sarscov2nowhere in the study does it say flu vaccines increase the chance of contracting the coronavirus by 36 per centinfluenza and covid19 come from two different families of viruses and have no crosseffect according to infectious disease specialist dr isaac bogochbogoch told ctvs your morning in march that a regular flu shot will not protect nor increase ones risk against covid19 however he said individuals can optimize the immune system by getting vaccinated for everything that they are eligible to be vaccinated for such as influenza or bacterial pneumonias\nwhile it is still unclear if someone can contract covid19 more than once it is possible to have more than one different virus at the same time such as the new coronavirus and a strain of the fluopposition to cdc guidelinesin plandemic a number of unidentified individuals described only as doctors are seen questioning the guidelines put out by the centers for disease control and prevention cdc on physical distancing or suggesting the preventative measures have been issued for profitmikovits alleges that doctors and hospitals have been incentivized to count deaths unrelated to covid19 as having been caused by the virus to get greater payouts from the american federal health insurance program medicare medicare pays hospitals a set amount of money for the treatment of certain diagnoses regardless of what the treatment actually costsmedicare has determined that a hospital gets us13000 if a covid19 patient on medicare is admitted and 39000 if the patient goes on a ventilator the cares act one of three federal stimulus laws enacted in the us in response to the pandemic has included an addon of 20 per cent that medicare will pay hospitals for covid19 patients in a move to help with their lost revenue from the halting of elective surgeries however congress has included strict policies for reporting thiswhile the us government is giving more money to hospitals that treat coronavirus patients there is no proof that hospitals are overidentifying patients as having covid19accusations against faucimany of mikovits claims concern various highprofile individuals who have become more prominent amid the pandemic most notable is dr anthony fauci director of the us national institute of allergy and infectious diseases niaid since 1984 and one of the lead members of the trump administrations white house coronavirus task forcewhile mikovits repeatedly drops faucis name she never actually connects him in any material way to her theory that this pandemic was plannedmikovits alleges that fauci orchestrated a coverup but of what is unclear she says that people were paid off big time suggesting fauci may have engaged in some sort of improper activity however mikovits later clarifies that she means researchers labs got funding from niaid which is how science research is typically funded in the usin an article originally published in december 2018 factchecking website snopes reported on a claim by mikovits that fauci sent an email that threatened her with arrest if she visited the national institutes of health to participate in a study to validate her chronic fatigue researchfauci told snopes he had no idea what she was talking abouti can categorically state that i have never sent such an email fauci said i would never make such a statement in an email that anyone would be immediately arrested if they stepped foot on nih propertymikovits also said fauci profited from patents from research done at niaidthe associated press reported in 2005 that scientists at niaid have collected millions of dollars in royalties for experimental treatments without having to tell patients testing the treatments that the researchers had a financial connectionfauci later told peerreviewed medical journal the bmj that as a government employee he was required by law to put his name on certain patents however he said he felt it was inappropriate to receive payment and donated the money to charitymikovits backgroundpresented in the video as a medical expert judy mikovits is one of 13 researchers who in 2009 claimed to have found a link between a mouse retrovirus and chronic fatigue syndrome a disorder with no proven explanation and no cure the findings were published in prestigious peerreviewed journal science\nin the video filmmaker willis says the paper sent shockwaves through the scientific community as it revealed the common use of animal and human fetal tissues were unleashing devastating plagues of chronic diseaseshowever the paper was retracted two years after its publication science said at the time that multiple laboratories including those of the original authors have failed to reliably detect the mouse retrovirus in chronic fatigue syndrome patients the journal also cited evidence of poor quality control in a number of specific experiments in the reportmikovits has not published anything in scientific literature since 2012 but she has coauthored two bestselling books with kent heckenlively a noted antivaxxeraccording to the chicago tribune whittemore peterson institute at the university of nevada fired mikovits in september 2011 from her job as research director at the facility after her study was retracted in november 2011 a criminal complaint was filed against mikovits for allegedly stealing computer data notebooks and other property from the institutemikovits says in plandemic that the notebooks were planted in her house and that she was held in jail with no charges as she is speaking footage of what appears to be a police swat team executing a nighttime raid is shownthe chicago tribune said mikovits was arrested in california as a fugitive on a warrant issued by reno police in relation to the november 2011 complaint she was held in a california jail for five days before being released after an arraignment hearingthe criminal charges were later dropped although the whittemore peterson institute subsequently won a default judgment in a civil suit against her seeking the return of the items a colleague at the institute admitted in an affidavit for the criminal case that he had taken items from the lab on behalf of mikovits\na typical viewer of plandemic may not know these details about mikovits background mikovits did not respond to ctvnewscas request for comment\njonathan jarry a biologist and science communication expert at mcgill university said it is also the way that mikovits speaks that can make her seem convincing\nher tone is just right she sounds coolheaded she is portraying herself as a victim of a cruel system so we can empathize with her jarry said in an email to ctvnewsca on monday he added that mikovits uses a gish gallop a common debating technique in which the speaker runs through a long list of arguments that appear convincing just by their sheer number and would take four times as long to refutejarry says the videos documentarylike style also plays a role in making its misleading conspiracy theories seem legitimatewith a little bit of money anyone can now produce a seriouslooking documentary these images look professional so they are more convincing to us jarry said the video also taps into our collective anxiety during this pandemic of looking for someone to blame some clear answer to the questions we are asking", + "https://www.ctvnews.ca/", + "TRUE", + 0.02072189284145806, + 2062 + ], + [ + "What precautions should I take when I have to go out to get food?", + "the majority of the transmission is happening through respiratory droplets that we may inhale from close contact with one another to avoid crowds be strategic about the time and the day of week that you go out to get food even now shopping centers get busier on weekends if the store is crowded try again later \nas the cdc recommends unless youre treating a patient use a homemade face cover when you go out in public medical masks must be saved for health workers who need them desperately also use hand sanitizer or wash your hands as soon as possible after returning from the grocery store if you decide to wear gloves treat them like you would your bare hands immediately dispose of the gloves after an activity and then wash your hands and if you receive takeout at home have it left at the door to help protect delivery people who are doing a great service for us", + "https://www.globalhealthnow.org/", + "TRUE", + 0.031250000000000014, + 159 + ], + [ + "My husband and I are in our 70s. I'm otherwise healthy. My husband is doing well but does have heart disease and diabetes. My grandkids' school has been closed for the next several weeks. We'd like to help out by watching our grandkids but don't know if that would be safe for us. Can you offer some guidance?", + "people who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safest", + "https://www.health.harvard.edu/", + "TRUE", + 0.05851851851851851, + 93 + ], + [ + "What is a Coronavirus?", + "coronaviruses are a large family of viruses which may cause illness in animals or humans in humans several coronaviruses are known to cause respiratory infections ranging from the common cold to more severe diseases such as middle east respiratory syndrome mers and severe acute respiratory syndrome sars the most recently discovered coronavirus causes coronavirus disease covid19", + "https://www.who.int/", + "TRUE", + 0.09142857142857143, + 56 + ], + [ + "Do we know if the virus can enter through the eye? ", + "there is no evidence yet that sarscov2 the virus that causes covid19 can gain entrance through the eye however there are now reports of the virus being present in tears and on the surface of the eye while most of those patients were very ill it is likely that the surface of the eye and its tears may contain virus and its best to avoid touching the eye or tears of any potential patientwhile we do not yet have any direct evidence that the virus is infectious if it touches the eye we must assume that it is a possibility as the general precautions all stress anyone who touches someone who may be infected or something they may have touched should wash their hands immediately and refrain from touching their own face which would include the mouth and noseknown sites of infectionas well as the eyesalfred sommer md mhs is a professor of ophthalmology and epidemiology and dean emeritus of the johns hopkins bloomberg school of public health ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.21666666666666667, + 168 + ], + [ + "German hospitals to treat some coronavirus patients from eastern France", + "frankfurt reuters hospitals in the german state of badenwuerttemberg have offered to treat some critically ill coronavirus patients from the neighboring alsace region in france which is struggling to cope with a rising number of cases four teaching hospitals and an army hospital in the southwestern german state will take in 10 french patients requiring ventilation and the state is checking with other hospitals for more spare beds in intensive care units badenwuerttembergs science and research ministry said in a statement on saturday doctors in the eastern french cities of mulhouse and colmar have warned that the healthcare system is at breaking point the crisis in the east of the country led the french army to transfer six patients in critical condition due to coronavirus to a military facility on wednesdaywe are sending a sign of solidarity to our french neighbors state science minister theresia bauer said in the statement the ministry added however that there were limits to the states hospital capacity and that help would be for as long as intensivecare beds were not needed by patients in closer vicinity it said that critically ill coronavirus patients needed ventilation for an average of three to seven daysthe french government on tuesday put its 67 million people under lockdown in an unprecedented act during peacetime after an almost 20 rise in deaths and reported cases in just 24 hours with eastern france the worsthit region", + "https://www.reuters.com/", + "TRUE", + -0.026470588235294107, + 236 + ], + [ + "Escaping Pandora’s Box — Another Novel Coronavirus", + "the 1918 influenza pandemic was the deadliest event in human history 50 million or more deaths equivalent in proportion to 200 million in todays global population for more than a century it has stood as a benchmark against which all other pandemics and disease emergences have been measured we should remember the 1918 pandemic as we deal with yet another infectiousdisease emergency the growing epidemic of novel coronavirus infectious disease covid19 which is caused by the severe acute respiratory syndrome coronavirus 2 sarscov2 this virus has been spreading throughout china for at least 2 months has been exported to at least 36 other countries and has been seeding more than two secondary cases for every primary case the world health organization has declared the epidemic a public health emergency of international concern if public health efforts cannot control viral spread we will soon be witnessing the birth of a fatal global pandemicthe greek myth of pandoras box actually a pithos or jar comes to mind the gods had given pandora a locked jar she was never to open driven by human weaknesses she nevertheless opened it releasing the worlds misfortunes and plaguesof course scientists tell us that sarscov2 did not escape from a jar rna sequences closely resemble those of viruses that silently circulate in bats and epidemiologic information implicates a batorigin virus infecting unidentified animal species sold in chinas liveanimal markets we have recently seen many such emerging zoonoses including the 2003 batcoronavirusderived sars an earlier severe acute respiratory syndrome caused by a closely related coronavirus which came terrifyingly close to causing a deadly global pandemic that was prevented only by swift global public health actions and luck1 now 17 years later we stand at a similar precipice how did we get to this point and what happens nextwe must realize that in our crowded world of 78 billion people a combination of altered human behaviors environmental changes and inadequate global public health mechanisms now easily turn obscure animal viruses into existential human threats13 we have created a global humandominated ecosystem that serves as a playground for the emergence and hostswitching of animal viruses especially genetically errorprone rna viruses whose high mutation rates have for millions of years provided opportunities to switch to new hosts in new ecosystems it took the genome of the human species 8 million years to evolve by 1 many animal rna viruses can evolve by more than 1 in a matter of days it is not difficult to understand why we increasingly see the emergence of zoonotic viruseswe have actually been watching such dramas play out in slow motion for more than a millennium in the case of pandemic influenza which begins with viruses of wild waterfowl that hostswitch to humans and then cause humantohuman transmission a bird virus thereby becomes a human virus coronavirus emergence takes a different trajectory but the principles are similar sars the middle eastern respiratory syndrome mers and covid19 all apparently have their origins in enzootic bat viruses the parallels between the two sars viruses are striking including emergence from bats to infect animals sold in liveanimal markets allowing direct viral access to crowds of humans which exponentially increases opportunities for hostswitching such live markets have also led to avian epizootics with fatal human spillover cases caused by nonpandemic poultryadapted influenza viruses such as h5n1 and h7n9 one human cultural practice in one populous country has thus recently led to two coronavirus nearpandemics and thousands of severe and fatal international cases of bird flubut these are not the only examples of deadly viral emergences associated with human behaviors2 hiv emerged from primates and was spread across africa by truck routes and sexual practices the origin of ebola remains uncertain but in 20142016 the virus spread explosively in west africa in association with fear and secrecy inadequate infrastructure and information systems and unsafe nursing and burial practices emergences of arenaviruses causing argentine and bolivian hemorrhagic fever are associated with agricultural practices and bolivian hemorrhagic fever was spread across bolivia by road building that fostered migration of reservoir rodents in southeast asia nipah virus emerged from bats because of the intensification of pig farming in a batrich biodiversity hot spot human monkeypox emerged in the united states because of a booming international wildlife trade in the 1980s aedes albopictus mosquitoes were being spread globally by humans in 2014 and 2015 we had pandemics of aedesborne chikungunya and zika virusesmajor epidemics associated with human crowding movement and sanitary inadequacy once occurred without spreading globally for example interregional plague pandemics of the 6th 14th and later centuries influenza pandemics beginning in the 9th century and cholera pandemics in the late 18th and early 19th centuries when truly global pandemics did become common for instance influenza in 1889 1918 and 1957 they were spread internationally by rail and ship then in 1968 influenza became the first pandemic spread by air travel and it was soon followed by the emergence of acute enteroviral hemorrhagic conjunctivitis spread between international airports these events ushered in our modern epidemic era in which any disease occurring anywhere in the world can appear the next day in our neighbors backyard we have reached this point because of continuing increases in the human population crowding human movement environmental alteration and ecosystemic complexity related to human activities and creations cartoonist walt kelly had it right decades ago we have met the enemy and he is uspreventing and controlling future pandemic occurrences remains a global priority4 with covid19 are we seeing a replay of 1918 although we did not witness the beginning of the 1918 pandemic evidence suggests that wherever it began it silently spread around the world causing mostly mild cases but also mortality of 05 to 1 or higher a rate that was initially too low to be detected against a high background rate of death from unrelated respiratory illnesses then it suddenly exploded in urban centers almost everywhere at once making a dramatic entrance after a long stealthy approach we are now recognizing early stages of covid19 emergence in the form of growing and geographically expanding case totals and there are alarming similarities between the two respiratory disease emergences like pandemic influenza in 1918 covid19 is associated with respiratory spread an undetermined percentage of infected people with presymptomatic or asymptomatic cases transmitting infection to others and a high fatality ratewe are taking swift public health actions to prevent an emergence from becoming a pandemic including isolation of patients and contacts to prevent secondary spread but will these actions be adequate most experts agree that such measures could not have prevented the 1918 influenza pandemic in fact in the past century we have never been able to completely prevent influenza spread at the community level even with vaccination and antiviral drugs the problem is that most influenza cases are either asymptomatic subsymptomatic undiagnosed or transmitted before the onset of symptoms can we do better with sarscov2 a virus with a presumably longer incubation period and serial generation time but with an asyetundetermined ratio of inapparent cases to apparent cases and an unknown rate of asymptomatic spread the answer to this question is critical because without the ability to prevent such spread we will cross a threshold where pandemic prevention becomes impossible and we wont know that we have arrived there until it is too latewith luck public health control measures may be able to put the demons back in the jar if they do not we face a daunting challenge equal to or perhaps greater than that posed by the influenza pandemic of a century ago as the late nobel laureate joshua lederberg famously lamented about emerging infectious diseases its our wits versus their genes right now their genes are outwitting us by adapting to infectivity in humans and to sometimes silent spread without so far revealing all their secrets but we are catching up as we push ahead we should take heart in the hesiod version of the pandora myth in which pandora managed to prevent a single escape only hope was left she remained under the lip of the jar and did not fly away", + "https://www.nejm.org/", + "TRUE", + 0.07013539651837523, + 1356 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "Should my family be taking any extra hygienic measures beyond hand washing?", + "you can wash bedsheets and towels more often jolie kerr a cleaning expert and frequent new york times contributor said that you could also wash stuffed animals more often heres how and clean hard toys with antibacterial wipes regularly particularly after outdoor use", + "https://www.nytimes.com/", + "TRUE", + 0.21114718614718614, + 43 + ], + [ + "Can the new coronavirus be transmitted via paper money?", + "cash can be contaminated with potential bacterial pathogens but there is little information about viruses on cash in generaland nothing about contamination with sarscov2 the virus that causes covid19sarscov2 is spread by persontoperson contactnot normally by touching fomites objects that may be contaminated with and help transmit infectious organisms like cash and its unclear how long covid19 remains viable on surfacesranging from a few minutes to hours to potentially days depending on the temperature humidity and surface type switching from cash to plastic has not been proven more protective either except perhaps by reducing personto person hand exposuresome countries are washing or disinfecting cash but there is no data demonstrating how this process works the best practice is social distancing limiting persontoperson contact by shutting down schools bars and other crowded places that is what will slow infections prevent health care systems from overloading and reduce deaths that is why everyone should do their part and embrace social distancing rather than worrying about using money or credit cards", + "https://www.globalhealthnow.org/", + "TRUE", + 0.08066239316239317, + 168 + ], + [ + "What are the symptoms of COVID-19?", + "the most common symptoms of covid19 are fever dry cough and tiredness other symptoms that are less common and may affect some patients include aches and pains nasal congestion headache conjunctivitis sore throat diarrhea loss of taste or smell or a rash on skin or discoloration of fingers or toes these symptoms are usually mild and begin gradually some people become infected but only have very mild symptoms\nmost people about 80 recover from the disease without needing hospital treatment around 1 out of every 5 people who gets covid19 becomes seriously ill and develops difficulty breathing older people and those with underlying medical problems like high blood pressure heart and lung problems diabetes or cancer are at higher risk of developing serious illness however anyone can catch covid19 and become seriously ill people of all ages who experience fever andor cough associated withdifficulty breathingshortness of breath chest painpressure or loss of speech or movement should seek medical attention immediately if possible it is recommended to call the health care provider or facility first so the patient can be directed to the right clinic", + "https://www.who.int/", + "TRUE", + 0.027970521541950115, + 184 + ], + [ + "Is it safe to donate blood during the outbreak? Could someone get COVID-19 from a blood transfusion?", + "covid19 doesnt pose any known risk to blood donors during the donation process or from attending blood drivesblood donation is a highly regulated safe processand most centers have implemented additional precautions including increased sanitation of donor areas use of ppe and social distancing to enhance their alreadyhealthy environments additionally since donors must be healthy on donation day risk of exposure to sick individuals is extremely lowwhile donors may worry that they could be infected but asymptomatic respiratory viruses are not generally thought to be transmitted by blood transfusion there are no reported cases to date of transfusion transmission of covid19even during a shelterinplace people still require critical medical care they will continue to be in car crashes need emergency organ transplants and chemotherapy and give birth to babies in critical condition the need for blood is constant and we continue to rely on blood donors generosity ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.0690873015873016, + 146 + ], + [ + "Cold weather and snow CANNOT kill the new coronavirus", + "there is no reason to believe that cold weather can kill the new coronavirus or other diseases the normal human body temperature remains around 365c to 37c regardless of the external temperature or weather the most effective way to protect yourself against the new coronavirus is by frequently cleaning your hands with alcoholbased hand rub or washing them with soap and water", + "https://www.who.int/", + "TRUE", + 0.08977272727272727, + 62 + ], + [ + "How can I avoid infecting others?", + "cough or sneeze into your elbow or use a tissue if you use a tissue dispose of it carefully after a single use wash your hands with soap and water for at least 20 secondsstay one metre or more away from people to reduce the risk of spreading the virus through respiratory dropletsif you feel unwell stay at home if you develop any symptoms suggestive of covid19 you should immediately call your healthcare provider for advice", + "https://www.ecdc.europa.eu", + "TRUE", + 0.007142857142857145, + 76 + ], + [ + "Another Explanation for Men's Vulnerability", + "men have higher levels than women of an enzyme central to covid19 infection a new study revealswhich could help explain why men are more vulnerable to the novel coronavirus reuters reportsangiotensinconverting enzyme 2 or ace2which helps the invasion of healthy cellsis thought to play a crucial role in the progression of lung disorders related to covid19 adriaan voors the studys leader said in a european society of cardiology news releasethe researchpublished today in european heart journalwas underway before the pandemic and did not include covid19 patients and thus a direct link cannot be confirmed however when the team realized that ace2 levels were higher in men than women they wanted to highlight the overlap\nthe researchers also found that ace inhibitors or angiotensin receptor blockers prescribed to heart failure patients did not fuel higher ace2 levels in plasmaand therefore should not increase the covid19 risk recent research had flagged the drugs as a potential concern for cardiovascular patients", + "https://www.globalhealthnow.org/", + "TRUE", + 0.09233511586452763, + 158 + ], + [ + "Will warm weather stop the outbreak of COVID-19?", + "it is not yet known whether weather and temperature affect the spread of covid19 some other viruses like those that cause the common cold and flu spread more during cold weather months but that does not mean it is impossible to become sick with these viruses during other months there is much more to learn about the transmissibility severity and other features associated with covid19 and investigations are ongoing", + "https://www.cdc.gov/", + "TRUE", + -0.19088203463203463, + 69 + ], + [ + "COVID-19 virus can be transmitted in areas with hot and humid climates", + "the best way to protect yourself against covid19 is by maintaining physical distance of at least 1 metre from others and frequently cleaning your hands by doing this you eliminate viruses that may be on your hands and avoid infection that could occur by then touching your eyes mouth and nose", + "https://www.who.int/", + "TRUE", + 0.25999999999999995, + 51 + ], + [ + "COVID-19 is killing 20 times more people per week than flu does, new paper says", + "if there was any doubt that the new coronavirus isnt just a bad flu a new paper lays that myth to rest the study authors found that in the us there were 20 times more deaths per week from covid19 than from the flu in the deadliest week of an average influenza seasonalthough officials may say that sarscov2 the virus that causes covid19 is just another flu this is not true the authors from harvard medical school and emory university ever since the new coronavirus was discovered in early january people have compared it with the flu pointing out that influenza causes tens of thousands of deaths every year in the us alone indeed during the current flu season the centers for disease control and prevention cdc estimates that there were up to 62000 flu deaths in the us from october 2019 through april 2020at a glance this may appear similar to the toll of covid19 which as of early may had caused about 65000 us deaths as of thursday may 13 the number of covid19 deaths in the us was more than 82000 according to johns hopkins universitybut this doesnt match what health care providers are seeing on the frontlines of the pandemic particularly in hot zones such as new york city where ventilators have been in short supply and many hospitals have been stretched beyond their limits the authors saidthis comparison is flawed because the cdc estimates of flu deaths are just that estimates rather than raw numbers the cdc does not know the exact number of people who become sick with or die from the flu each year in the us rather this number is estimated based on data collected on flu hospitalizations through surveillance in 13 stateson the other hand reported covid19 deaths are actual counts of people who died from covid19 not estimates in other words comparing estimates of flu deaths with raw counts of covid19 deaths is like comparing apples to oranges the authors saidso for the new study the researchers looked at actual counts of flu deaths per week and compared those with counts of covid19 deathsbased on data from death certificates during the deadliest week of flu season over the last several years the counted number of us deaths due to flu ranged from 351 during the 2015 to 2016 flu season to 1626 during the 2017 to 2018 flu season the authors said the average number of flu deaths during the week of peak flu mortality in recent seasons from 2013 to 2020 was 752 deathsin contrast for covid19 there were 15455 deaths reported in the us during the week ending april 21 the highest weekly death toll during the pandemic so far the authors said that means that the number of covid19 deaths for the week ending april 21 was about 10 to 40fold higher than the number of influenza deaths for the most lethal week of the past seven flu seasons that peak covid19 weekly death count is about 20 times higher than the average weekly peak flu death count the authors saidthe authors note that their analysis has some limitations including that the number of covid19 deaths may be undercounted because of limitations with testing for sarscov2 and falsenegative test results in addition the authors point out that adult flu deaths are not required to be reported to public health authorities in the way that covid19 deaths are potentially undercounting flu deaths as well still our analysis suggests that comparisons between sarscov2 mortality and seasonal influenza mortality must be made using an applestoapples comparison not an applestooranges comparison the authors concluded doing so better demonstrates the true threat to public health from covid19", + "https://www.livescience.com/", + "TRUE", + 0.027304217521608828, + 615 + ], + [ + "Drinking alcohol does not protect you against COVID-19 and can be dangerous", + "frequent or excessive alcohol consumption can increase your risk of health problems", + "https://www.who.int/", + "TRUE", + -0.075, + 12 + ], + [ + "What is the risk of infection in pregnant women and neonates?", + "there is limited scientific evidence on the severity of illness in pregnant women after covid19 infection it seems that pregnant women appear to experience similar clinical manifestations as nonpregnant women who have progressed to covid19 pneumonia and to date as of 25 march there have been no maternal deaths no pregnancy losses and only one stillbirth reported no current evidence suggests that infection with covid19 during pregnancy has a negative effect on the foetus at present there is no evidence of transmission of covid19 from mother to baby during pregnancy and only one confirmed covid19 neonatal case has been reported to dateecdc will continue to monitor the emerging scientific literature on this question and suggests that all pregnant women follow the same general precautions for the prevention of covid19 including regular handwashing avoiding individuals who are sick and selfisolating in case of any symptoms while consulting a healthcare provider by telephone for advice", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.024285714285714282, + 153 + ], + [ + "A Nobel Prize-winning immunologist has not said coronavirus is manmade, as claimed", + "professor honjo released a statement on 27 april saying in the wake of the pain economic loss and unprecedented global suffering caused by the covid19 pandemic i am greatly saddened that my name and that of kyoto university have been used to spread false accusations and misinformation\nreports of this misinformation appeared as early as 22 april in interviews and public statements made in the days before at no point did professor honjo suggest the new coronavirus was unnaturalthe false posts also claim incorrectly that professor honjo worked in the wuhan laboratory in china for four years professor honjo is currently the deputy directorgeneral and distinguished professor at the kyoto university institute for advanced study kuias his biography on the kuias website shows no evidence that he spent four years teaching in wuhan or china", + "https://fullfact.org/", + "TRUE", + 0.11136363636363637, + 135 + ], + [ + "Coronavirus is not in the flu shot", + "researchers update the flu shot annually to protect from strains of the influenza virus each shot protects from either three strains trivalent or four strains quadrivalent of influenza the vaccine does not include any of the coronaviruses a family of viruses that includes some that give people upper respiratory illnesses it also is not meant to protect someone from themthe new strain of coronavirus that has turned into a global pandemic over the past four months can cause severe illness with symptoms including fever shortness of breath and coughing more than 43000 people had died of the virus worldwide as of wednesday morning since coronavirus isnt in the flu shot the shot wont give anyone symptoms of the coronavirus or cause them to test positive said dr christie alexander president of florida academy of family physicians and associate professor for the florida state university college of medicineif someone develops coronavirus symptoms it may be because they came into contact with someone who had the virus a few weeks before they got their shot she said theres no cause and effect between the two experts research doesnt back up a connection alexander said that despite the citations in facebook posts academic research has also not shown a connection between the flu shot and coronavirus the hong kong study in question she said was a small study with limitations that shouldnt be extrapolated the coronavirus mentioned in both studies is also not the new strain of coronavirus that has become a global pandemicthe phenomenon of viral interference referred to in the second study wouldnt make anyone more likely to contract coronavirus said dr akiko iwasaki professor of immunobiology and molecular cellular and developmental biology at the yale university school of medicineviral interference she said is when a person already infected with one virus is resistant to infection with a second because of how their immune system fights the first virus the system isnt perfect she said and coinfection by multiple viruses can still occur while its true that people who get the flu shot are still susceptible to infection by other respiratory viruses like the common cold they are not more susceptible than those who do not get the vaccine she saidi wouldnt think that the flu vaccine will make you more susceptible to these viruses she said its just that theyre so prevalent that you might pick up the infection with that more often than the flu virus obviously for which youre protected while flu shots will not make a person more susceptible to the coronavirus they also will not protect a person from it there is no available vaccine for the coronavirus although researchers are working on itbut the flu vaccine can help combating the coronavirus in one way iwasaki said if everyone were to have the flu vaccine fewer would catch the flu theoretically freeing up hospital beds and resources for coronavirus patients she said in the population base it makes sense for everyone to get the flu vaccine she said but with the individual no there is no interference between the flu vaccine and the coronavirus", + "https://www.usatoday.com/", + "TRUE", + 0.05078124999999999, + 518 + ], + [ + "The EU has always supported Member States’ investments in public health.", + "the eu supports strong investment in public health in europe people and their health come first it is something that distinguishes us from many other parts of the world the eu recently launched a plan to support countries through the crisis relaxing rules so that countries can spend more on emergency services this keeps us all focused on what matters most protecting people\n\nthis is not new either since the financial crash of 2008 the eu has put in place multiple financial initiatives to support all member states particularly in those most adversely affected by the crisis such as greece spain and italy as well as supporting small businesses research and innovation and climaterelated projects the investment plan has helped to finance a large number of projects in the health sector such as developing new cancer treatments and expanding and modernising hospitals", + "https://ec.europa.eu/", + "TRUE", + 0.15037337662337663, + 142 + ], + [ + "The first modern pandemic", + "the first modern pandemic", + "https://www.gatesnotes.com/Health/Pandemic-Innovation", + "TRUE", + 0.225, + 4 + ], + [ + "One of the symptoms of COVID-19 is shortness of breath. What does that mean?", + "shortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm downhowever if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is overmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problem", + "https://www.health.harvard.edu/", + "TRUE", + 0.06333333333333332, + 130 + ], + [ + "Coronavirus outbreak and kids", + "childrens lives have been turned upside down by this pandemic between schools being closed and playdates being cancelled childrens routines are anything but routine kids also have questions about coronavirus and benefit from ageappropriate answers that dont fuel the flame of anxiety it also helps to discuss and role model things they can control like hand washing social distancing and other healthpromoting behaviors are kids immune to the virus that causes covid19 children including very young children can develop covid19 however children tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illness should parents take babies for initial vaccines right now what about toddlers and up who are due for vaccines the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits getting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virus for children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good idea the best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child when do you need to bring your child to the doctor during this pandemic anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that way some things though do require an inperson appointment including illness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency room\nchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so checkups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices checkups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seen bottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor\nwith schools closing in many parts of the country is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes\nthe truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all times all people can do is try to minimize the risk by doing things like choosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible making sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating with social distancing rules in place libraries recreational sports and bigger sports events and other venues parents often take kids to are closing down are there any rules of thumb regarding play dates i dont want my kids parked in front of screens all day ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contact outdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoors you can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outside you can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.13522830344258918, + 1288 + ], + [ + "What’s happening with a vaccine?", + "a vaccine for covid19 isnt around the corner bringing vaccines to the market is a notoriously slow process and any potential vaccine will have to pass multiple stages of testing for safety and effectiveness and once we know a vaccine is safe we will also need to manufacture it at a scale high enough to use across the world its likely that any vaccine is around 18 months awaythat said there is lots of work being done to develop a vaccine for covid19 the pharmaceutical firm sanofi is trying to build on its alreadyapproved flu vaccine and turn it into something suitable to treat covid19 other approaches such as one being trialled by the university of oxford are focusing on the external spike proteins on the covid19 virus as a way to target vaccinesbut accelerating these efforts will require funding the coalition for epidemic preparedness innovations cepi has called for 2 billion in funding to support the development of new coronavirus vaccines", + "https://www.wired.co.uk/", + "TRUE", + 0.05548951048951049, + 162 + ], + [ + "Worried about coronavirus? If your loved one is over 60, read this", + "the novel coronavirus can infect anyone but its older adults ages 60 and up who are more likely to get seriously sick from itsome tips are applicable to every generation but there are specific precautions older adults should take to protect their healthwe spoke to two geriatricians and pulled guidance from the centers for disease control and prevention to assemble what people 60 and up need to know about the novel coronavirusyou can download a sheet of that information in english spanish and chinese and share with your loved ones but remember recommendations for covid19 may change as officials learn more so monitor your local health department and the cdc for updateswhats your risk level the cdc says older adults and people with severe chronic illness are more likely to become severely ill from covid19infectious disease experts define older adults as anyone age 60 and up so people in that age group should be cautiousits possible to contract the virus at a younger age its just more dangerous in older adults because the immune system weakens with age said dr samir sinha director of geriatrics for the sinai health system and the university health network in torontopeople over the age of 80 may want to exercise even more caution a report published in the medical journal jama that examined more than 72000 chinese coronavirus patients found that the overall fatality rate was 23 but in adults over 80 the fatality rate rose to 15if you live in a community where theres an outbreak youre at a higher risk of infection too follow the advice belowwhat precautions you should take nowcancel all nonessential doctors appointments said dr carla perissinotto an associate professor in the geriatrics division of the university of californiasan franciscos department of medicinewhether its a standard checkup a followup appointment for a stable condition or an elective procedure if it can wait then it shouldif you have an important appointment coming up consider doing it in a video call or from your smartphone telehealth tech lets physicians confer with patients who may not be able to leave their homestell a friend a loved one a coworker or a neighbor if youre concerned about the illness appoint one of them as an emergency contact who you can call with concerns or requests for helpotherwise do what youd do during flu season wash your hands frequently the right way get ready to read that a lot use hand sanitizer when soap and water arent available though washing your hands is preferredwhat you should stock up onthe cdc recommends keeping enough groceries and toiletries on hand to last you a prolonged period of time theres no timeline for the covid19 outbreak though so think basicstock up on toothpaste detergent water filters etc make meals and freeze them if youre concerned about foodbut stocking up on medication ahead of time isnt always plausible perissinotto said you may be able to switch to a 90day supply for your prescription if this isnt possible the cdc suggests mail ordering medicationshow you should alter daily activitiesolder adults living in communities where the virus has spread should take extra precautionsavoid public places where crowds may gather or poorly ventilated buildings where the risk of transmission is higher the cdc saidrestrict your time in public and limit close contactolder adults should still exercise and eat right just as they would at any other time of the year sinha saidand again constant and proper handwashing before during and after a trip into the public is necessaryhow you should handle travelthe cdc advises against nonessential plane travel for older adults several us airlines have already slashed their flight schedules for the next few monthsits wise to stay off cruise ships for now too cruise passengers are at an increased risk of persontoperson transmission with all the tight quarters the cdc said so if youre already made cruise plans its best to cancel themwhat you need to know about selfisolation the cdc recommends that highrisk groups in communities with outbreaks stay home as much as possible and that people who believe theyre sick isolate themselvesisolation can be damaging too if you cut off contact and are lonelyi dont think the solution of totally being devoid of social contact is the answer perissinotto said yes there is some prudence we need to have in social distancing but we also have to be careful to not isolate more it can be very detrimentalso if youre selfisolatingdont cut off contact with family or friendskeep in touch to update them on your condition and curb boredomand if you do go out be sure to wash your hands with soapwhat your family can doto help you your family should think aheadperissinotto recommends that family friends and neighbors of older adults do some inventory in case the older adult needs to isolate at homedoes this person have what they need to spend an extended period of time inside if not help them prepare suppliesif their caregiver calls in sick is there someone who can step in to take care of them have a plan in place to make sure theyll get care if they need itif they have a telemedicine appointment coming up will they know how to access it set up the tech and show them how to use it to speak with their physiciangetting prepared and keeping in touch can help keep families connected if an older member needs to isolate perissinotto saidand of course sick family members should not visit stick to a phone or video call and if a younger healthy family member has potentially come into contact with a covid19 patient they should selfisolate and avoid seeing older susceptible family memberswhat you should consider about nursing homes its natural to be fearful for family in nursing homes and longterm care facilities sinha said older people and people with chronic illnesses both highrisk groups are living together in tight quartersthe good news most nursing homes and longterm care facilities are prepared for pandemics perissonotto saidthe cdc provides training for longterm care facilities on how to operate during pandemics if youre concerned about the safety of your family member or want to learn about the protocol their facility is following contact staff at the facilitywhat you should do when visiting loved ones at nursing homesunder the national emergency declaration nursing home visits are now restricted with limited exceptions the new federal guidance also cancels communal meals and group activitiesset up an alternative mode of communication between residents and family to keep up with their health and wellbeingwhat to do if youre sick if you think you have the novel coronavirus stay home and call your physician if they think you should come in for a test limit your interaction with other people and dont use public transportation they may provide a face mask for you to wear while in their officeif your doctor is not immediately available consider calling a local coronavirus hotline some city county and state health departments have numbers you can call to discuss your symptoms and learn more about the viruss impact on the community keep in mind that these hotlines are meant as informational resources and its impossible to diagnose covid19 without a testif youre diagnosed with the novel coronavirus and your illness is mild your physician may advise that you stay home until you recover if your symptoms are more severe you may be hospitalized so physicians can monitor your condition", + "https://www.cnn.com/", + "TRUE", + 0.10753289614675753, + 1243 + ], + [ + "Mapping the Social Network of Coronavirus", + "to slow the virus alessandro vespignani and other analysts are racing to model the behavior of its human host the offices of the network science institute at northeastern university sit 10 floors above bostons back bay wraparound windows offer a floating panorama of the city from boston common to fenway park as a halfdozen young analysts toil quietly at computersat 10 am on a recent morning with the early calls to the world health organization and european doctors complete and the checkin with the centers for disease control and prevention scheduled for later alessandro vespignani the institutes director had some time to work the room in a black blazer and jeans he moved from cubicle to cubicle giving each member of his team the latest updates on the coronavirus pandemicwe call this wartime dr vespignani said later in his office he was seated but his hands hadnt stopped moving before this we were working on ebola and zika and when these things are spreading you are working on the fly you dont stop you are continually modeling networkshistorically scientists trying to anticipate the trajectory of infectious diseases focused on properties of the agent itself like its level of contagion and lethality but infectious diseases need help to spread their misery humans meeting humans in person in the past decade or so leading investigators have begun to incorporate social networks into their models trying to identify and analyze patterns of individual behavior that amplify or mute potential pandemicsthose findings in turn inform policy recommendations when does it make sense to shut down schools or workplaces when will closing a border make a difference and when wont it world health officials consult with social network modelers on a near daily basis and dr vespignanis lab is part of one of several consortiums being consulted in the crucial and perhaps disruptive decisions coming in the next few weeks on friday in an analysis posted by the journal science the group estimated that chinas travel ban on wuhan delayed the growth of the epidemic by only a few days in mainland china and by two to three weeks elsewhere moving forward we expect that travel restrictions to covid19 affected areas will have modest effects the team concludedtoday with the enormous computing power available on the cloud dr vespignani and other colleagues can model the entire world using publicly available data said dr elizabeth halloran a professor of biostatistics at the university of washington and a senior researcher at the fred hutchinson cancer research center on the one hand there is the rise of network science and on the other there is the enormous rise in computing powerdr vespignani came to network analysis through physics after completing a phd in his native italy he took up postdoctoral studies at yale where he began to focus on applying computational techniques to epidemiology and geographical datalook i am roman and i am a fan of lazio the soccer team he said we were in first place finally after how many years and some fans think the coronavirus is a conspiracy against lazio i dont say this to be funny but to say each social network functions in its own wayhe was on his feet again and roaming past a row of glasswalled offices at one point he stuck his head into an office where ana pastore y piontti a physicist and research associate was working on one of the problems du jour school closings analyzed state by state and region by region health officials across the country are grappling with whether to close local schools which ones how soon and for how longanas working on this right now we want to be able to estimate the effects dr vespignani saidher project like many others at the institute uses census data which reveals the composition of nearly every american household the number of adults and children and their ages from a single household a large map can be constructed first the connections between mom dad son and daughter added next are dads connections at the shop moms at an office and the childrens at their respective schools the analysis might determine that say a 12yearold boy living in central redmond wash near seattle will come into regular contact with his parents his sister and an average of 205 fellow students at his local middle schoolrepeating the process with nearby households generates a dense digital map of interconnections over an entire community on dr pastore y pionttis computer monitor it resembles a complex electrical circuit with multicolored wires and cables to and from packed hubs of interactionthink of it like tracing all regular interactions in the video game simcity she saidto this map she adds still more connections incorporating data on travel in and out of that community by air train or bus if such information is available the final result which she calls a contact matrix looks like a rough heat map a colored slide showing who is most likely to interact with whom by age from this she subtracts out of all the school interactions revealing an estimate of how many fewer interactions and potential new infections would occur by closing certain schoolseach country each state can be very different depending on the patterns of interaction and compositions of households dr pastore y piontti said and then there is the question of what is most effective a week of closing or two weeks or closed until next school yeardr vespignani had disappeared back into his own office with a pair of senior analysts they were huddled around a speakerphone running through the latest modeling changes with an outside researcher the lab is part of a consortium that advises the cdc and fields continual calls from infectiousdisease mapping operations around the worldthe conversation and consulting are nonstop because the institute must navigate the limitations inherent to all predictive modeling one challenge is that important venues of disease progression cannot all be anticipated cruise ships for example another is factoring in random events say an infected person who suddenly decides that now is the moment to take a dream trip to spainit may seem like a small thing at the time but after the fact you say oh yeah that was hugely important said duncan watts a computer and information scientist at the university of pennsylvania how do you handle these unexpected factors\nfinally as people become more informed about the coronavirus their behavior will change sometimes drastically and en massea good analogy is a storm said dr steven riley a professor of infectiousdisease dynamics at imperial college london which has done modeling for decades you can forecast a bad storm in a particular place and people will take out an umbrella and put on a coat well the impact is less for those people but has no effect on the storm with infectious diseases peoples precautions like social distancing do change the trajectory of the disease and its very hard to predict or model thatby now dr vespignani in motion again had cornered a visiting colleague mauricio santillana director of the machine intelligence research lab at harvard medical schooldr santillana works to understand how the behavior of individuals changes from day to day in the midst of a pandemic for insight he draws on a vast array of variables including mentions of certain words fever pneumonia coronavirus in online searches and socialmedia comments together he and dr vespignani are trying to work out how to best incorporate this continuously updated analysis into the travel and geographical models used at the institute\nwe can look for example at when x number of people are searching for fever online there were y number of people who ended up in the hospital dr santillana said we can then use that kind of daytoday data to continually update these socialnetwork modelsall of this in raw computational terms is just the beginning of the campaign no single predictive model is enough the vespignani lab and their colleagues around the world run millions of simulations regularly to help gauge which outcomes are the most likely in a world that changes daily google has granted him free space in the cloud to do so because the inhouse computing power is not nearly fast enoughhow well this modeling works and whether it will help contain the virus is hard to know while the battle is being waged dr vespignani said its in peacetime between outbreaks that we can do the real science and improve the models let us hope that comes soon", + "https://www.nytimes.com/", + "TRUE", + 0.08330864980024645, + 1426 + ], + [ + "Who is most likely to be infected with SARS-CoV-2?", + "despite the daily updates on number of cases hospital admissions and deaths around the world and the increasing number of hospitalbased case series some of the fundamental information about how severe acute respiratory syndrome coronavirus sarscov2 spreads in the population and who is really at risk of both infection and severe consequences is still missing in the lancet infectious diseases simon de lusignan and colleagues1 report on the characteristics of the first 3802 people tested for sarscov2 within the royal college of general practitioners rcgp sentinel primary care surveillance network unlike most previous studies that examined risk factors for poor prognosis de lusignan and colleagues1 report characteristics associated with susceptibility to sarscov2 infection\nthe rcgp surveillance system set up in 1957 monitors consultations for communicable diseases using a network of 500 general practitioner practices across england which are broadly representative of the population twiceweekly automatic data downloads provide a realtime warning of impending epidemics in january 2020 the network expanded to include the testing for sarscov2 among individuals presenting with symptoms of influenza or respiratory infection covid19 surveillance data supplemented with data from contact tracing or routine national health service facilities were linked with electronic health records of 3802 tests 587 154 were positive for sarscov2 prevalence of infection was less than 5 in patients younger than 18 years 23 patients were positive 46 of 499 tested but almost four times as high in people aged 40 years or older 480 182 of 2637 after adjustment for other factors infection risk was higher among men than women odds ratio or 155 95 ci 127189 in black people than white people or 475 265851 and in people with obesity than normalweight people 141 104191 infection risk was also higher in those living in more deprived or in urban versus rural locations surprisingly household size did not significantly affect infection risk among chronic comorbidities examined only those with chronic kidney disease had an increased risk of infection whereas the risk in active smokers was around half that observed in never smokerstwo preprint papers have examined populationlevel risks one used uk biobank data and corroborated the results on age sex black race and obesity as risk factors for severe infection the other a study of 17 million patients from uk primary care showed increased risks of inhospital covid19 mortality with older age male sex obesity greater deprivation and being part of an ethnic minority comorbidities and smoking seemed to play a more important role in poor prognosis in those studies than in developing infection in de lusignan and colleagues studybecause there are still few populationlevel studies the article by de lusignan and colleagues is an important new contribution with highquality statistical methods that allow quantification of independent risks however the data are not fully representative of the general population excluding those with mild or no symptoms and instead reflecting consultation patterns with overrepresentation of women and older people but fewer smokers lower thresholds for presentation eg among women could dilute test positivity compared with groups who might present only if they are more severely ill it is also possible that there are unmeasured confounderseg social and workplace exposures interactions and behaviours which might explain increased risk in some groups\nunlike other reports this study suggests that sex differences in poor outcomes from covid19 are at least in part related to differential infection susceptibility the role of ethnicity in greater susceptibility and poorer prognosis is a growing concern and deserving of further study it seems that most comorbidities except chronic kidney disease although important for predicting prognosis do not have a major part in susceptibility to infection regarding the results on smoking it is likely that they could reflect consulting patterns and higher rates of noninfectious cough among smokers than nonsmokers smoking seems important as a risk factor for poor prognosis4 but studies are conflicting and the association merits further investigation the one major modifiable risk factor is obesity which presents a double problem of increasing susceptibility to infection as well as the risk of severe consequenceshowever what is fundamentally clear is that whatever the specific risk factors the covid19 pandemic exacerbates existing socioeconomic inequalities and this needs both exploration and mitigation in the coming months and yearsas the uk prepares to loosen lockdown measures knowing who is most at risk of infection is vital this study highlights the more susceptible subgroups among those with relevant symptoms although we cannot be sure why they are more susceptible populationlevel studies with testing among random samples of the general population irrespective of symptoms as well as accurate antibody tests of past infection are urgently needed", + "https://www.thelancet.com/", + "TRUE", + 0.10633625410733845, + 769 + ], + [ + "Can coronavirus stay in my hair or in a beard? Should I wash my hair every day?", + "coronavirus can stick to hair said dr david aronoff director of the division of infectious diseases at vanderbilt university medical centertouching contaminated hair and then touching your mouth eyes or nose could increase your risk of infection like on the skin this coronavirus is a transient hitchhiker that can be removed by washing aronoff saidbut that doesnt mean you have to wash the hair on your head multiple times a day said dermatologist dr hadley kingthats because living hair attached to our scalps may be better protected by our natural oils that have some antimicrobial properties and may limit how well microbes can attach to the hair she saidif you are going out into areas that could possibly be contaminated with viral particles then it would be reasonable to wash the hair daily during the pandemic but its not the same as hand washing the virus infects us through our mucosal surfaces if your hair is not falling into your face or youre not running your fingers through it then there is less of a riskif your hair does fall into your face you may want to pull it back to minimize your risk king saidas for facial hair washing at least daily if not more frequently is wise depending on how often they touch their face aronoff said", + "https://www.cnn.com/", + "TRUE", + 0.05710784313725491, + 219 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virus your body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptoms however serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 272 + ], + [ + "What is SARS-CoV-2? What is COVID-19?", + "severe acute respiratory syndrome coronavirus2 sarscov2 is the name given to the 2019 novel coronavirus covid19 is the name given to the disease associated with the virus sarscov2 is a new strain of coronavirus that has not been previously identified in humans", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.1898989898989899, + 42 + ], + [ + "Supply Chain Disruptions Due to COVID-19 and Social Distancing", + "since the outbreak of covid19 social distancing has provided a means to flatten the curve and hopefully reduce the curve there are significant epidemiological and economic risks and uncertainties to the policies new estimates for the epidemiological consequences and criterion for when these policies are removed do not tell the full story of social impact by themselves and must be paired with clarity around economic impacts and how these vary by industry sector\nto better ground the economic costs of remaining in effect we have estimated the economywide impacts of a set of social distancing policies that have been used across the united states our estimates provide a sense of the likely economic toll due to these policiesthe economic toll is not just tied to those industries directly impacted by these policies such as restaurants and bars but its impacts are being felt across the board due to supply chain disruptions and a reduction in demand weekly unemployment numbers pdf cut across every geography industry and class the important interconnections that make an economy strong also provide a means for disruptions to cascade throughout the entire economyour results show that the economic costs of these policies vary widely across states with aggregate income declines of 45 percent in states like indiana wisconsin and iowa for our worstcase scenario these results do not take into account the reduction in demand that is likely to arise due to unemployment and households staying home based on our national level results for every week that we have strict social distancing policies in place we are reducing the gross national income gni by approximately 05 percent that is if these policies are kept in place for three months it would likely mean a drop of 6 percent due solely to the social distancing policies if a modest 10 percent reduction in household demand is included these results increase to a 9 percent drop in gniit is important to recognize that these economic costs are balanced by decreasing infection hospitalization and deaths it is up to the state and local decisionmakers to weigh the benefits and costs of these policies our hope is that we are helping provide one side of the story", + "ttps://www.rand.org", + "TRUE", + 0.08711038961038962, + 367 + ], + [ + "Drinking alcohol does not protect you against COVID-19 and can be dangerous", + "frequent or excessive alcohol consumption can increase your risk of health problems", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + -0.075, + 12 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "Coronavirus", + "the novel coronavirus 2019ncov is a respiratory illness first identified in wuhan city china symptoms include fever cough and shortness of breath the virus can be spread persontoperson in close proximity or from contact with contaminated surfacesthe world health organization who has declared the coronavirus outbreak a pandemic and has named the disease caused by the virus covid19 it is related to other coronaviruses such as sars and mers but is not the same virusthe virus enters the body through the nose mouth or eyes then attaches to cells in the airways that produce a protein called ace2 according to the new york times in its explainer how coronavirus hijacks your cellsinfection by covid19 is rarely fatal according to the whoit can be more severe for some persons and can lead to pneumonia or breathing difficulties reads a statement on whos website older people and people with preexisting medical conditions such as diabetes and heart disease appear to be more vulnerable to becoming severely ill with the virus\non february 13 2020 the known worldwide death toll was being reported as at least 1357 with more than 60000 confirmed cases see below for recent numbersin march large gatherings such as austins sxsw romes marathon and st patricks day parades in chicago dublin and boston were cancelled students were sent home early or classes went online at mit harvard university and cornell universityon march 11 2020 who declared the coronavirus outbreak a pandemic with 118000 cases in 114 countries and 4291 fatalitiesthe who had not declared a pandemic since 2009 according to the new york times when it gave that designation to a new strain of h1n1 influenza the cdc estimated that between 151700 and 575400 people worldwide died from h1n1notable figures infected with the virus include oscarwinner tom hanks the uks prince charles actor idris elba and us senator rand paul on march 24 tony awardwinning playwright terrence mcnally kiss of the spider woman died of complications from covid19on march 24 the 2020 summer olympics in japan were postponedas of march 25 worldwide cases were being reported as 438100 people infected with the virus with a death toll of at least 19641 in the us there were 59502 known cases according to a new york times database and at least 804 deaths due to the pandemicin april the us became the country with the most recorded covid19 cases outpacing countries with larger populations on april 9 the johns hopkins university reported 432579 us cases and 14830 deaths health officials recommended that people wear cloth masks and gloves when in public in addition to social distancing and hand washing guidelineshighprofile deaths from covid19 complications in april included folksinger john prine jazz musician ellis marsalis jr and mahmoud jibril the former prime minister of libyaas of april 9 worldwide cases totaled 1503900 with 89931 confirmed covid19 deaths according to johns hopkins university in new york city the death toll exceeded the number of people killed at the terrorist attacks on the world trade center on 911those numbers would continue to grow by april 29 the us would have more than 1 million recorded covid19 cases which accounted for a third of the worldwide total the death toll in the us would rise to more than 59000 which surpassed the number of us casualties in the vietnam warworldwide deaths as of april 29 were recorded at 219611", + "https://thebulletin.org/", + "TRUE", + 0.0864903389293633, + 564 + ], + [ + "Get Ready for a Vaccine Information War", + "social media is already filling up with misinformation about a covid19 vaccine months or years before one even existsthe other night midway through watching a clip from plandemic a documentary that went viral on social media last week spreading baseless lies and debunked nonsense about the coronavirus to millions of americans overnight i had a terrifying thoughtwhat if we get a covid19 vaccine and half the country refuses to take itit occurred to me that all the misinformation weve seen so far the false rumors that 5g cellphone towers fuel the coronavirus that drinking bleach or injecting uv rays can cure it that dr anthony fauci is part of an antitrump conspiracy may be just the warmup act for a much bigger information war when an effective vaccine becomes available to the public this war could pit public health officials and politicians against an antivaccination movement that floods social media with misinformation conspiracy theories and propaganda aimed at convincing people that the vaccine is a menace rather than a lifesaving economyrescuing miracle\nscariest of all it could actually workive been following the antivaccine community on and off for years watching its members operate in private facebook groups and instagram accounts and have found that they are much more organized and strategic than many of their critics believe they are savvy media manipulators effective communicators and experienced at exploiting the weaknesses of social media platforms just one example shortly after facebook and youtube began taking down copies of plandemic for violating their rules i saw people in antivaccine groups editing it in subtle ways to evade the platforms automated enforcement software and reposting itin short the antivaxxers have been practicing for this and im worried that they will be unusually effective in sowing doubts about a covid19 vaccine for several reasonsfirst because of the pandemics urgency any promising covid19 vaccine is likely to be fasttracked through the testing and approval process it may not go through years of clinical trials and careful studies of possible longterm side effects the way other drugs do that could create an opening for antivaccine activists to claim that it is untested and dangerous and to spin reasonable concerns about the vaccine into widespread unfounded fears about its safetysecond if a vaccine does emerge there is a good chance that leading health organizations like the bill and melinda gates foundation or the world health organization will have a hand in producing or distributing it if thats the case antivaccine activists who have been crusading against these groups for years will have plenty of material stockpiled to try to discredit them they are already taking aim at mr gates with baseless conspiracy theories claiming that he created and is trying to profit from the virus these theories will be amplified and the attempts to discredit leading virus research efforts will intensify as the vaccine nearsthird if and when a covid19 vaccine is approved for widespread use people may be required to take it before being allowed to fly on certain airlines attend certain schools or enter certain businesses thats a good idea public healthwise but it would play into some of the worst fears of the antivaccine movementmandatory vaccination has been an especially potent talking point for antivaccine activists some of whom have rebranded themselves prochoice when it comes to vaccines and years of battling states and school districts over mandatory vaccine policies have given them a playbook for creating a tangle of legal roadblocks and damaging publicity campaignsi wanted to understand if my fears about a vaccinerelated information war were valid so i reached out to neil johnson and rhys leahy two researchers at george washington university on wednesday their study of the online antivaccine movement was published in the science journal naturethe study which mapped the vaccine conversation on facebook during the 2019 measles outbreak found that there were nearly three times as many active antivaccination communities as provaccination communities in addition they found that while provaccine pages tended to have more followers antivaccine pages were fastergrowingwe expected to find a strong core of vanilla science people saying that vaccines are good for you but thats not what we found at all mr johnson told me we found a real struggle online where the public health establishment and its supporters are almost fighting in the wrong placethe researchers found that facebook pages pushing accurate provaccine information were mostly clustered in an insular group while the antivaccine pages treated vaccine resistance as a kind of political campaign and used different messages to reach different types of undecided voters a page promoting holistic health remedies might start seeding doubts about vaccines among liberal yoga moms while a page promoting resistance to governmentmandated vaccines might appeal to conservatives and libertarianspublic health advocacy groups tend to be monolithic sending one message that vaccines are safe and effective ms leahy said the antivax movement is really diversethere is some reason for hope recent surveys have suggested that most americans would take a covid19 vaccine if one were available today even politicians who have expressed skepticism about vaccines in the past including president trump are rooting for one that can prevent the disease and some public health experts i spoke to said public pressure to end the pandemic and return to normal life might overpower antivaccine activismpeople are seeing the toll of covid19 all around said kasisomayajula viswanath a professor of health communication at the harvard school of public health my guess is that if there is a successful vaccine especially in the absence of treatment people may discount the antivaccine groups\nbut public acceptance of a covid19 vaccine is far from a sure thing and seeing platforms like facebook and youtube struggle to contain the spread of videos like plandemic makes me worry that when the time comes to persuade billions of people to take a critical coronavirus vaccine our public health officials and social media companies will be outgunned by a welloiled antivaccine movement that has already polluted the air with misinformation and conspiracy theorieswe can prevent that but only if we start laying the groundwork before its too late organizations like the centers for disease control and prevention and the who need to understand the dynamics of online antivaccination communities and start waging a heartsandminds campaign to restore faith in the medical establishment while a vaccine is being developed social media companies need to take the threat of vaccinerelated misinformation seriously and devote tremendous resources to stopping its spread and those of us who believe in vaccines need to realize that we may not be in the majority for long and do everything we can to reach the people in our lives who might be susceptible to antivaccine propagandato recover from this pandemic we need to mobilize a provaccine movement that is as devoted as internetsavvy and as compelling as the antivaccine movement is for its adherents we need to do it quickly with all the creativity and urgency of the scientists who are developing the vaccine itself millions of lives and trillions of dollars in economic activity may depend not just on producing a vaccine but on persuading people to accept it", + "https://www.nytimes.com/", + "TRUE", + 0.13008563074352547, + 1195 + ], + [ + "Are antibiotics effective in preventing and treating the new coronavirus?", + "no antibiotics do not work against viruses only bacteria the new coronavirus 2019ncov is a virus and therefore antibiotics should not be used as a means of prevention or treatment however if you are hospitalized for the 2019ncov you may receive antibiotics because bacterial coinfection is possible", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.04545454545454545, + 47 + ], + [ + "What’s the most important thing that WHO can do in the fight against COVID-19?", + "who has reiterated to all countries that with early and aggressive measures they can stop transmission and save lives who must be the first entry point for reliable information on the virus and its spread it also has the unique mandate to provide evidencebased guidance to help countries and individuals to assess and manage their risk and make decisions this is even more critical now as countries should be preparing for sustained community transmissionwho must also be able to support the most vulnerable countriesthe world requires a comprehensive and coordinated approach as outlined in the strategic preparedness and response plan that who has issued establishing international coordination and operational support scaling up country readiness and response operations and accelerating priority research and innovationthat turns the question on its head one of the most important things countries and financial organizations must now do is support who in order to protect us all", + "https://www.globalhealthnow.org/", + "TRUE", + 0.21875, + 151 + ], + [ + "Summer Is Coming, but the Virus Won’t Be Going", + "whatever effect warm weather has on the coronavirus it wont be enough to safely drop social restrictionseverybody hopes for seasonality when it comes to the coronavirus pandemic peter juni of the university of toronto acknowledged maybe just maybe the summer will diminish the spread of covid19\nbut a new study by dr juni an epidemiologist and his colleagues in canada and switzerland offers very little encouragement for warmweather worshipers in countries around the world his research found variations in heat and humidity had little to no effect on the spread of the pandemic differences in how the disease spread were instead strongly associated with public health measures like social distancing and school closuresseveral other studies have found or projected modest effects of warmer climates or the increase of sunlight in diminishing the spread of the coronavirus but all have emphasized the need for public health interventionsone reason is that most of the worlds population has no immunity to the virus this means the virus doesnt need favorable conditions to spread dr juni saidhe and his colleagues did a forwardlooking study in which they picked 144 countries or geopolitical areas around the world and established the conditions that prevailed from march 7 to march 13 in terms of temperature humidity and public health measuresthen they followed those countries and how cases of covid19 grew during the subsequent period of march 21 to march 27 after a 14day incubation period for infections during the earlier period to cause diseasethe countries varied from canada to the tropics but no effect for temperature was found humidity had a very weak connection to diminished spread they found but by far the most important in associations with a diminished spread of the disease were school closings social distancing and restrictions on large gatherings\nin our study the researchers wrote in the study published thursday in the canadian medical association journal only public health interventions were consistently associated with reduced epidemic growth and the greater the number of cooccurring public health interventions the larger the reduction in growthother studies have reported mixed results on the effect of the weather and sunlight one from researchers at the massachusetts institute of technology found that humidity seemed to slow the spread of the virus qasim bukhari one of the authors of that study said the new report was interesting although limited by the short time span it covered he said he and his colleagues also stressed in our work that public health interventions are very importantmark c urban an ecologist at the university of connecticut found summer weather including ultraviolet light had some effect on the virus and its spread but said social interventions have by far the most important effectand a short report from the national academies of sciences engineering and medicine concluded that summer was not likely to slow the virus significantlyall of the studies acknowledge uncertainty and limitations in their findings and none diminish the primacy of public health measures dr juni said that given the effectiveness of social restrictions schoolopening strategies should be very carefully planned and testedwe cant have schools closed for more than a year and a half he said but it is not yet known how best to reopen schools and what policies should be followed mistakes could mean that openings backfire with devastating consequence for spread of the disease\n", + "https://www.nytimes.com/", + "TRUE", + 0.08443276752487282, + 557 + ], + [ + "How does COVID-19 spread?", + "people can catch covid19 from others who have the virus the disease spreads primarily from person to person through small droplets from the nose or mouth which are expelled when a person with covid19 coughs sneezes or speaks these droplets are relatively heavy do not travel far and quickly sink to the ground people can catch covid19 if they breathe in these droplets from a person infected with the virus this is why it is important to stay at least 1 meter away from others these droplets can land on objects and surfaces around the person such as tables doorknobs and handrails people can become infected by touching these objects or surfaces then touching their eyes nose or mouth this is why it is important to wash your hands regularly with soap and water or clean with alcoholbased hand rubwho is assessing ongoing research on the ways that covid19 is spread and will continue to share updated findings ", + "https://www.who.int/", + "TRUE", + 0.17307692307692307, + 158 + ], + [ + "How many people have COVID-19?", + "the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continent", + "https://www.health.harvard.edu/", + "TRUE", + 0.4035714285714285, + 60 + ], + [ + "What should I do if there is an outbreak in my community?", + "during an outbreak stay calm and put your preparedness plan to work follow the steps belowprotect yourself and othersstay home if you are sick keep away from people who are sick limit close contact with others as much as possible about 6 feetput your household plan into actionstay informed about the local covid19 situation be aware of temporary school dismissals in your area as this may affect your households daily routinecontinue practicing everyday preventive actions cover coughs and sneezes with a tissue and wash your hands often with soap and water for at least 20 seconds if soap and water are not available use a hand sanitizer that contains 60 alcohol clean frequently touched surfaces and objects daily using a regular household detergent and waternotify your workplace as soon as possible if your regular work schedule changes ask to work from home or take leave if you or someone in your household gets sick with covid19 symptoms or if your childs school is dismissed temporarily learn how businesses and employers can plan for and respond to covid19stay in touch with others by phone or email if you have a chronic medical condition and live alone ask family friends and health care providers to check on you during an outbreak stay in touch with family and friends especially those at increased risk of developing severe illness such as older adults and people with severe chronic medical conditions", + "https://www.cdc.gov/", + "TRUE", + -0.06622435535479013, + 236 + ], + [ + "Does the new coronavirus affect older people, or are younger people also susceptible?", + "people of all ages can be infected by the new coronavirus 2019ncov older people and people with preexisting medical conditions such as asthma diabetes heart disease appear to be more vulnerable to becoming severely ill with the virus who advises people of all ages to take steps to protect themselves from the virus for example by following good hand hygiene and good respiratory hygiene", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.1502754820936639, + 64 + ], + [ + "When can I discontinue my self-quarantine?", + "while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others", + "https://www.health.harvard.edu/", + "TRUE", + 0.25, + 54 + ], + [ + "Will Eating Bananas Prevent Coronavirus Infection?", + "bananas are a good source of various nutrients but eating them doesnt offer solid protection against covid19it is true that bananas consumed in moderation are fairly good sources of fiber dietary potassium vitamin b6 and vitamin c all of which are important components of a healthy diethowever other than contributing in a modest way to general good health the consumption of bananas does not specifically do anything to prevent coronavirus nor have scientists at the university of queensland asserted any such claimthe most effective methods to protect yourself against contracting covid19 do not involve eating any specific food but rather maintaining a safe distance from others who might spread the virus to you and regularly following basic sanitaryhygienic procedureswash your hands regularly for 20 seconds with soap and water or alcoholbased hand rub avoid close contact 1 meter or 3 feet with people who are unwell stay home and selfisolate from others in the household if you feel unwell dont touch your eyes nose or mouth if your hands are not clean", + "https://www.snopes.com/", + "TRUE", + 0.23958333333333331, + 172 + ], + [ + "Scams related to COVID-19", + "covid19 commission and national consumer authorities are on high alert and call on platforms to stop scams and unfair practices on 23 march 2020 commissioner for justice and consumers didier reynders wrote to a number of platforms social media search engines and market places to require their cooperation in taking down scams from their platforms following the common position endorsed by the cpc network platforms replied to his call for cooperation and commissioner reynders welcomes their positive approach you can find their replies below as the new virus spreads across the eu rogue traders advertise and sell products such as protective masks caps and hand sanitizers to consumers which allegedly prevent or cure an infection on 20 march 2020 the consumer protection cpc authorities of the member states with the support of the commission issued cpc common position covid19 on the most reported scams and unfair practices in this context the objective is to ask and help online platform operators to better identify such illegal practices take them down and prevent similar ones to reappear it is in the general interest to guarantee a safe online environment where consumers in particular in the context of distress caused by the consumers should be cautious if traders in their marketing campaign or offer use language or images in their marketing which explicitly or implicitly suggest that a product is able to prevent or cure covid19 infection\nmake reference to selfdeclared doctors health professionals experts or other unofficial sources stating that a product is able to prevent or cure an infection with the new virus\nrefer by name or logo to government authorities official experts or international institutions which have allegedly endorsed the protective or curative claims without providing hyperlinks or references to official documents\nuse scarcity claims such as only available today sell out fast or similar\ninform about market conditions such as lowest price on the market only product that can cure covid19 infections or similar\nuse prices that are well above the normal price for similar products due to the fact that they would allegedly prevent or cure covid19 infection\nconsumers are reminded that national governments in the eu provide official advice based on scientific evidence on how to prevent covid19 infection where consumers come across unsupported or misleading claims on online platforms they should use the reporting tools provided by the platform operator for signalling inappropriate content traders should act responsibly refrain from and ban the abovementioned practices taking into account all national government instructions and advice in relation to the covid19 protection measures", + "https://ec.europa.eu/", + "TRUE", + 0.0333068783068783, + 425 + ], + [ + "What you should know about experimental therapies for coronavirus", + "antivirals and blood therapy sound promising but how do they work and when will we know if they truly treat covid19weekends havent existed for lisa gralinski in quite some time most days the microbiologist spends 12 hour shifts at a secure biosafety facility on the campus of the university of north carolinachapel hill wearing protective clothing and a respirator she works inches away from a murderers row of potentially lethal coronaviruses including the strain behind the covid19 pandemicgralinski is one of thousands of scientists around the world racing to test treatments that could quell the most serious viral pandemic in a century to date the us food and drug administration has not approved any medication specifically to treat covid19 such remedies would likely take months to validate or years to design from scratchin the meantime hospitals have turned to repurposing treatments that have already been approved for other diseases thats why youve heard so much about the antimalarial drug hydroxychloroquine the experimental antiviral drug remdesivir and treatments involving convalescent plasma a product derived from recovered patients blood that could help a newly infected persons immune system fight the viruscurrently doctors can give these medications to critically ill covid19 patients only by obtaining fda permission on a casebycase basis under a socalled compassionateuse program but experts dont know for sure whether any treatment brings covid19 to heel on april 21 an expert panel from the us national institutes of health emphasized that researchers dont yet have enough evidence to say whether hydroxychloroquine remdesivir or convalescent plasma on their own are effective against the infection the same panel however did advise against the use of hydroxychloroquine plus the antibiotic azithromycin because of potential toxic side effectsphysicians wont get clarity until the medications have gone through what are known as randomized controlled trials in these kinds of clinical tests half of a pool of patients is randomly given the drug and the other halfthe control groupis given an otherwise identical dosage thats missing the active ingredient\nif you dont have a control you will never know if a drug helped or harmed says andre kalil a professor in the department of internal medicine at the university of nebraska medical centerhere are some of the therapies currently being tested in this manner with estimates of how soon they might be widely available for the general public for more on scientists trying to test and develop treatments for covid19 check out our podcast overheard at national geographic plasma potential\nof all the treatments being tested against covid19 the antimalarial drugs hydroxychloroquine and chloroquine arguably have the highest profile us president donald trump repeatedly touts them as a potential remedy to date only a few smallscale studies have been published on hydroxychloroquine and so far they havent shown effectiveness with covid19 worse yet early data suggest using the drugs to treat coronavirus can have serious side effects on heart health\nby contrast one of the most promising treatments under development is one of the oldest convalescent plasma the idea is to isolate plasmathe liquid part of bloodand then process it to extract a serum rich with antibodies proteins that bind to pathogens in our bodies and mark them for destruction\nwhen you get a vaccine you mount your own antibodies but when you get plasma someone is transferring their antibodies into you says arturo casadevall a microbiologist at the johns hopkins university bloomberg school of public health heres why a coronavirus vaccine could take way longer than a yearthe convalescent plasma technique has been used for more than a century going back to the 1918 pandemic flu it took a leap forward in the 1940s when harvard medical school scientist edwin cohn published a technique for separating plasma into its various components including an antibodyrich serumafter casadevall brought us public awareness to the technique in a february wall street journal oped he and other leading physicians organized a national consortium to test it against covid19 though more data are needed the fda is approving plasmas use on a casebycase basis for people with severe covid19 and a few anecdotal case reports have been published in medical journalsi think that the moment in history that we are right now with nothing else that is a proven bonafide solution to this astounding global problem we need to be trying this right now says james musser the chair of the department of pathology and genomic medicine at houston methodist in houston texason march 28 houston methodist became the first hospital in the us to receive fda approval for experimentally treating covid19 patients with convalescent plasma from confirmed covid19 patients who had recovered and not shown symptoms for at least two weeks a day earlier in the journal of the american medical association chinese researchers reported that within two weeks of treatment four out of five critically ill covid19 patients treated with plasma recovered from severe lung injuries allowing three patients to be weaned off of ventilatorson april 6 in the proceedings of the national academy of sciences chinese researchers reported that out of 10 severe covid19 cases treated with plasma three improved so much during the trial period they were discharged and the other seven improved substantiallyhospitals across the country are now getting permission to treat their patients with convalescent plasmaeven on a preventative basis on april 3 casadevall and his team at johns hopkins received fda approval to test the use of convalescent plasma in healthcare workers and other frontline staff as a means of stopping them from coming down with covid19 on april 13 the fda issued broader guidance to hospitals experimenting with the treatmentobviously we dont know whether it works until trials are done casadevall says but based on history it looks encouragingintro to antivirals at the same time hospitals around the world are testing hundreds of drugs called antivirals which are known to impede the biochemical tools that viruses use to enter cells and reproduce inside them the largest such trial the world health organizations solidarity trial has signed up hospitals in 90 countries separate trials being run in the us and elsewhere have enrolled hundreds of patients across dozens of hospitalsthe array of drugs being tested includes remdesivir an experimental antiviral drug developed by the usbased pharmaceutical company gilead sciences remdesivir works by impersonating a building block of viral rna the genetic material used by the coronavirus which gums up the works as the germ tries to replicate the drug was originally developed to combat ebola but a 20182019 trial found that it was ineffective against that virushowever a january study in nature communications found that remdesivir blocked the replication of the mers virus a relative of the novel coronavirus strain in a petri dish that result was soon followed by similar labbased studies on sarscov2yet no studies published so far have confirmed that the drug is effective against covid19 in actual human patients on april 10 researchers announced in the new england journal of medicine that among 53 people who received the drug under a compassionateuse program 36 either were discharged or required less intensive respiratory support over the study period however that study didnt measure if the amount of virus changed in the patients bodies during their treatment so it is unclear if the drug was actually working as prescribedhopes rose on april 16 when the medical news publication stat reported that early results in chicago looked promising for remdesivir but a week later results from a chinese trial were accidentally posted early to a world health organization database the sincedeleted summary stated that the drug had no clear benefit over standard care however gilead sciences chief medical officer merdad parsey later released a statement that the study had been ended early because of low enrollment and as such its conclusions werent statistically sound on april 29 the chinese results formally published in the medical journal the lancet which confirmed the leaked conclusion another large trial from china is still expected to publish this monthgralinski of uncchapel hill says that because remdesivir stops viral replication it might only be effective during covid19s early stages by the time someone has severe symptoms much of the damage being done is from the patients own immune system in past studies in mice gralinski found that treatment must start 24 to 36 hours after infection to prevent severe consequencesits understandable that youd want to test out these drugs on the sickest patients who are in the most need of intervention she says but if someones in fullblown respiratory distress thats really being caused a lot more by the host immune response than the virus itselfyet the verdict may still be pending for remdesivir as preliminary results are trickling in from the us on april 29 anthony fauci director of the national institute of allergy and infectious diseases described findings from a niaidfunded trial that recruited 1063 covid19 patients in the us europe and asia the data dont yet confirm that remdesivir prevents deaths from severe covid19 however fauci said half of the patients who received remdesivir recovered within 11 days versus 15 days for those without remdesivirtwo days later the fda granted emergency use authorization for remdesivir for treating covid19 which isnt the same thing as a full approval instead the designation lets gilead sciences supply the drug to hospitals in needkalil who is running the university of nebraskas branch of the bigger niaidfunded trial said in april that data collection could end in a few weeks with early results arriving as soon as may he adds that the trial has enough patients to tell whether both moderate and severe cases respond to the drugit is quite extraordinary ive done clinical trials for 20 years and this is the fastest speed ive ever seen kalil says we as scientists and clinicians weve learned the lessons from the past and weve made this way faster than ever", + "https://www.nationalgeographic.com/", + "TRUE", + 0.08450937950937948, + 1650 + ], + [ + "I have asthma. If I get COVID-19, am I more likely to become seriously ill?", + "yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancing washing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor", + "https://www.health.harvard.edu/", + "TRUE", + -0.12993197278911564, + 91 + ], + [ + "First Travel-related Case of 2019 Novel Coronavirus Detected in United States", + "the centers for disease control and prevention cdc today confirmed the first case of 2019 novel coronavirus 2019ncov in the united states in the state of washington the patient recently returned from wuhan china where an outbreak of pneumonia caused by this novel coronavirus has been ongoing since december 2019 while originally thought to be spreading from animaltoperson there are growing indications that limited persontoperson spread is happening its unclear how easily this virus is spreading between people the patient from washington with confirmed 2019ncov infection returned to the united states from wuhan on january 15 2020 the patient sought care at a medical facility in the state of washington where the patient was treated for the illness based on the patients travel history and symptoms healthcare professionals suspected this new coronavirus a clinical specimen was collected and sent to cdc overnight where laboratory testing yesterday confirmed the diagnosis via cdcs real time reverse transcriptionpolymerase chain reaction rrtpcr test cdc has been proactively preparing for the introduction of 2019ncov in the united states for weeks including first alerting clinicians on january 8 2020 to be on the lookout for patients with respiratory symptoms and a history of travel to wuhan china developing guidance for clinicians for testing and management of 2019ncov as well as guidance for home care of patients with 2019ncov developing a diagnostic test to detect this virus in clinical specimens accelerating the time it takes to detect infection currently testing for this virus must take place at cdc but in the coming days and weeks cdc will share these tests with domestic and international partners on january 17 2020 cdc began implementing public health entry screening at san francisco sfo new york jfk and los angeles lax airports this week cdc will add entry health screening at two more airports atlanta atl and chicago ord cdc has activated its emergency operations center to better provide ongoing support to the 2019ncov response cdc is working closely with the state of washington and local partners a cdc team has been deployed to support the ongoing investigation in the state of washington including potentially tracing close contacts to determine if anyone else has become ill coronaviruses are a large family of viruses some causing respiratory illness in people and others circulating among animals including camels cats and bats rarely animal coronaviruses can evolve and infect people and then spread between people such as has been seen with severe acute respiratory syndrome sars and middle east respiratory syndrome mers when persontoperson spread has occurred with sars and mers it is thought to happen via respiratory droplets with close contacts similar to how influenza and other respiratory pathogens spread the situation with regard to 2019ncov is still unclear while severe illness including illness resulting in several deaths has been reported in china other patients have had milder illness and been discharged symptoms associated with this virus have included fever cough and trouble breathing the confirmation that some limited persontoperson spread with this virus is occurring in asia raises the level of concern about this virus but cdc continues to believe the risk of 2019ncov to the american public at large remains low at this time this is a rapidly evolving situation cdc will continue to update the public as circumstances warrant", + "https://www.cdc.gov/", + "TRUE", + 0.10555833055833053, + 549 + ], + [ + "Deciding How Much Distance You Should Keep", + "the concepts of social distancing and selfquarantine are being interpreted in a variety of ways not always correctly heres a guide to help you make the right decisionswhen dr asaf bitton looked out from his window in boston recently he was shocked by the scene although schools offices and businesses already had shut down to slow the spread of coronavirus the park was packedi saw people from my window outside playing in the park together and i thought this is crazy said dr bitton executive director of ariadne labs at brigham and womens hospital and the harvard th chan school of public health why did we close the schools if were going to shift social contact from the schools to the playgroundwith a sense of urgency he sent his wife an email to share with friends and post on facebook it quickly went viral and was later published on medium under the headline social distancing this is not a snow day to slow the coronavirus wrote dr bitton we must act quickly and start making daily choices to stay away from each other as much as possiblebut how to make those choices has not always been clear concepts like social distancing selfquarantine and isolation come from the lexicon of the infectious disease community and scary movies here in real life parents workers and even government leaders are struggling to make sense of it all heres a guide to help you make good decisions based on advice from infectious disease and public health expertssocial distancing\nsocial distancing is ultimately about creating physical distance between people who dont live together at the community level it means closing schools and workplaces and canceling events like concerts and broadway shows for individuals it means keeping six feet of distance between you and others while in public and avoiding physical contact with people who do not share your homebut one aspect of social distancing the admonition to avoid gatherings of 10 people or more has created a lot of confusion it has given the impression that while public indoor events are bad its ok to host up to nine people at your home or outside that is not correct right now everyone should limit close contact indoors and outdoors to family members only this means no dinner parties no play dates no birthday parties with a few friendswho should do this everyoneshelter in placein a nutshell this means stay home dont leave the house unless you absolutely have to dont socialize with people outside your family dont go to a friends house for dinner or invite a trusted friend overduring a shelterinplace order you are typically allowed to go outside for essentials to pick up groceries or prescriptions but you should limit those trips to no more than once a week if possible people with essential jobs public safety medical sanitation or grocery worker can still go to work and you can visit someone if you are their caregiverthere is a bright spot in most cases a shelterinplace order allows you to walk the dog or exercise outside for brief periods as long as you keep a sixfoot distance from othersright now im recommending to my family and to people who are asking that outdoor activities that are solitary or done in parallel with someone who is far away is fine said carolyn c cannuscio associate professor of family medicine and community health at the university of pennsylvania perelman school of medicine were trying to avoid face to face contact especially in close up and confined spaceswho should do this everyone who lives in an area with a mandatory shelterinplace order including some communities in northern california and possibly soon new york city but many infectious disease experts say that everyone else should also voluntarily shelter in place to prevent the virus from spreading people should really be keeping to themselves said dr kryssie woods hospital epidemiologist and director of infection prevention at mount sinai westselfmonitoring\nthis means regularly checking your temperature and watching for signs of coronavirus infection including fever shortness of breath and coughing a person who is selfmonitoring should already be staying home and limiting interactions with otherswho should do this selfmonitoring is for people who learn they might have been exposed to the virus but had only distant contact with the infected person this might be someone in your orbit for example a colleague a speaker at a conference or the parent of your childs classmate but not a person with whom you had close physical contact consult with your doctor to see if selfmonitoring is recommended for your specific situationselfquarantine this term is used to separate and restrict the movement of someone who is well but who recently had close contact with a person who later was diagnosed with the virus a person in selfquarantine should follow all the rules of sheltering in place except they should avoid going to stores or interacting with the public even on a limited basis for a 14day period a friend should bring you groceriesquarantine means staying home and away from other people including those in your household as much as possible for a 14day quarantine period a person in selfquarantine should sleep in a separate space from family memberswho should do this anyone who does not have symptoms but who had close contact with someone who later became illselfisolation isolation is used to separate a person who has a diagnosed case or someone who has distinct symptoms including a cough fever and shortness of breath but hasnt yet been tested or received test results a person in isolation should be confined to a separate room with no or minimal contact with the rest of the household including pets and use a separate bathroom if possible most of the time a sick person will feel a bit miserable but he or she can pick up food trays left at the door and sanitize a shared bathroom after using itwho should do this anyone with a confirmed case of covid19 in consultation with their doctor a person waiting for test results or a person with obvious symptoms who is still waiting to be tested everyone else in the household should selfquarantineofficial or mandatory quarantinea governmentimposed lockdown on a community as has happened in italy in which movements are severely restricted people can still go out for essentials and to get fresh air but they can do so only under strictly controlled conditions or on a specific schedule imposed by public safety officialswho should do this everyone who lives in an area under quarantine we havent seen this in the us dr bitton said i dont know if its coming", + "https://www.nytimes.com/", + "TRUE", + 0.0217389845296822, + 1114 + ], + [ + "New name for disease caused by virus outbreak: COVID-19", + "the disease caused by a new virus that emerged late last year in china and has since sickened tens of thousands of people now has an official name covid19\nat a press briefing on tuesday the world health organization said it had decided on the name after consulting with the food and agriculture organization and the world organization for animal healthwe had to find a name that did not refer to a geographical location an animal an individual or group of people said who directorgeneral tedros adhanom ghebreyesus who also wanted a name that was pronounceable and related to the disease he said", + "https://apnews.com/", + "TRUE", + -0.03272727272727273, + 103 + ], + [ + "How coronavirus mutations can track its spread—and disprove conspiracies", + "changes in the pathogen help scientists follow cases without widespread testingand show the virus isnt a bioweaponthink of the opensource project nextstrainorg as an outbreak museum labs around the world contribute genetic sequences of viruses collected from patients and nextstrain uses that data to paint the evolution of epidemics through global maps and phylogenetic charts the family trees for virusesso far nextstrain has crunched nearly 1500 genomes from the new coronavirus and the data already show how this virus is mutatingevery 15 days on averageas the covid19 pandemic rages around the world as menacing as the word sounds mutations dont mean the virus is becoming more harmful instead these subtle shifts in the viruss genetic code are helping researchers quickly figure out where its been as well as dispel myths about its originsepidemiologists study the random mutations in the sarscov2 genetic code to inform containment measuressamples a and b share the same mutations c and d have unique mutations though c has more mutations in common with a and b than d doesanalysis of these similarities allows scientists to build a genetic tree viral samples from a and b are closely related and both are more similar to c than to dorganizing samples in the tree according to the date they were taken visualizes how the virus spreads over time geographical movement is interpreted from the location of the samplesthe genetic tree helps to imagine how the transmissions took place clusters due to genetic similarities belong to patients within the same transmission chains the confidence level of the transmission tree improves as the number of viral samples increasesthese mutations are completely benign and useful as a puzzle piece to uncover how the virus is spreading says nextstrain cofounder trevor bedford a computational biologist at the fred hutchinson cancer research center in seattlethis geneticsfirst approach to tracking the coronavirus has emerged as a bright spot among the barrage of devastating pandemic headlines similar science was instrumental in decoding previous epidemics such as zika and ebola but experts say the declining cost and increased speed and efficiency of genetic sequencing tools has made it possible for a small army of researchers around the world to document the coronaviruss destructive path even faster those insights can help officials choose whether to shift from containment to mitigation strategies especially in places where testing has laggedif we go back to the ebola virus five years ago it was a yearlong process from samples being collected to genomes being sequenced and shared publicly bedford says now the turnaround is much fasterfrom two days to a weekand that realtime ability to use these techniques in a way that impacts the outbreak is newtracking cases through mutations bedfords lab has been using genetics to track the new coronavirus known as sarscov2 since the first us cases started to multiply in washington state in february and march back then public health officials focused on tracking patients travel histories and connecting the dots back to potentially infected people theyd met along the waymeanwhile bedford and his team turned to unlocking the viruss genetic code by analyzing nasal samples collected from about two dozen patients their discovery was illuminating by tracing how and where the virus had changed over time bedford showed that sarscov2 had been quietly incubating within the community for weeks since the first documented case in seattle on january 21 the patient was a 35yearold who had recently visited the outbreaks original epicenter in wuhan chinain other words bedford had scientific proof that people could unknowingly be spreading the coronavirus if they had a mild case and didnt seek care or if they had been missed by traditional surveillance because they werent tested that revelation has fueled the frantic lockdowns closures and social distancing recommendations around the world in an attempt to slow the spreadone thing thats become clear is that genomics data gives you a much richer story about how the outbreak is unfolding bedford saysnextstrains visualization tools have also helped engage a public thats hungry to learn about the science of the coronavirus says kristian andersen a computational biologist at scripps research in la jolla california whose lab has contributed more than a thousand genomes including west nile and zika viruses to the projecti like these tools because for the longest time it was just nerds like me looking at these trees and now its all over twitter says andersen the sites opensource ethos has also generated genomesharing enthusiasm among researchers around the world who offer to send viral samples to his lab or who contact him looking for specific advice on how to sequence the virus they see the data display and say we have patients too wed like to sequence themalthough such charts and trees are useful for seeing the big picture of how the pandemic is unfolding andersen cautions random visitors against jumping to conclusions because they cant see the more extensive background data case in point bedford had to backtrack on twitter after suggesting that similar sequencing data from an infected german patient in italy and a munich patient who became infected a month earlier showed that the european outbreak had started in germanythe tree might suggest a connection but there are so many missing pieces in the transmission chain that there can be other explanations of what could have happened says andersenand in places where testing and casebased surveillance are limited bedford says genetic data will continue to provide clues about whether all these social distancing interventions are workingwell be able to tell how much less transmission were seeing and answer the question can we take our foot off the gas he saysnot a bioweapon in addition the ability to reveal the viruss evolutionary history helped researchers quickly debunk conspiracy theories such as the one that sarscov2 was secretly manufactured in a lab to be used as a bioweapona march 17 article in nature medicine coauthored by andersen makes this argument by comparing the genomic features of sarscov2 with all of its closest family members including sars mers and strains isolated from animals such as bats and pangolinsfirst off most of sarscov2s underlying structure is unlike any of coronaviruses previously studied in a lab the novel coronavirus also contains genetic features that suggest it encountered a living immune system rather than being cultivated in a petri dishmoreover a bioweapon designer would want maximum impact and might rely on history to obtain it but the novel coronavirus carries subtle flaws indicative of natural selection for instance coronaviruses use what are known as spike proteins which look like heads of broccoli to bind and access cellular doorways called receptors its how the viruses infect animal cells experiments have shown that the novel coronavirus strongly binds with a human receptor called ace2 but the interaction isnt optimal the authors explainthis isnt what somebody who wanted to build the perfect virus would have picked andersen says overall their analysis suggests the virus jumped from an animal to humans sometime in novemberin the future genetic sequencing will become an even more important tool to identify local or regional viral flareups before they spread\nif a potential virus was to emerge in a community in africa for example we now have the ability to get samples to the lab to do shotgun sequencing says phil febbo a physician and chief medical officer of illumina the worlds largest genetic sequencing machine manufacturer based in san diego california the shotgun technique allows researchers to sequence random genetic strands to identify a virus at a faster pace so that officials can more quickly determine appropriate containment measures to stop transmissiontheres still a lot of work to be done to create such a rapidresponse global surveillance network labs have to be created governments have to get on board workers need to be recruited and trained to run sequencing machines and interpret resultsits not a limitation of technology febbo says its a matter of finding the right resolve as an international community", + "https://www.nationalgeographic.com/", + "TRUE", + 0.05672908741090559, + 1330 + ], + [ + "Coronavirus: what do scientists know about Covid-19 so far?", + "medical researchers have been studying everything we know about covid19 what have they learned and is it enough to halt the pandemiccoronaviruses have been causing problems for humanity for a long time several versions are known to trigger common colds and more recently two types have set off outbreaks of deadly illnesses severe acute respiratory syndrome sars and middle east respiratory syndrome mersbut their impact has been mild compared with the global havoc unleashed by the coronavirus that is causing the covid19 pandemic in only a few months it has triggered lockdowns in dozens of nations and claimed more than 100000 lives and the disease continues to spreadthat is an extraordinary achievement for a spiky ball of genetic material coated in fatty chemicals called lipids and which measures 80 billionths of a metre in diameter humanity has been brought low by a very humble assailanton the other hand our knowledge about the sarscov2 the virus that causes covid19 is also remarkable this was an organism unknown to science five months ago today it is the subject of study on an unprecedented scale vaccines projects proliferate antiviral drug trials have been launched and new diagnostic tests are appearingthe questions are therefore straightforward what have we learned over the past five months and how might that knowledge put an end to this pandemicwhere did it come from and how did it first infect humansthe sarscov2 virus almost certainly originated in bats which have evolved fierce immune responses to viruses researchers have discovered these defences drive viruses to replicate faster so that they can get past bats immune defences in turn that transforms the bat into a reservoir of rapidly reproducing and highly transmissible viruses then when these bat viruses move into other mammals creatures that lack a fastresponse immune system the viruses quickly spread into their new hosts most evidence suggests that sarscov2 started infecting humans via an intermediary species such as pangolinsthis virus probably jumped from a bat into another animal and that other animal was probably near a human maybe in a market says virologist professor edward holmes of sydney university and so if that wildlife animal has a virus its picked up from a bat and were interacting with it theres a good chance that the virus will then spread to the person handling the animal then that person will go home and spread it to someone else and we have an outbreakas to the transmission of sarscov2 that occurs when droplets of water containing the virus are expelled by an infected person in a cough or sneezehow does the virus spread and how does it affect peoplevirusridden particles are inhaled by others and come into contact with cells lining the throat and larynx these cells have large numbers of receptors known as ace2 receptors on their surfaces cell receptors play a key role in passing chemicals into cells and in triggering signals between cells this virus has a surface protein that is primed to lock on that receptor and slip its rna into the cell says virologist professor jonathan ball of nottingham universityonce inside that rna inserts itself into the cells own replication machinery and makes multiple copies of the virus these burst out of the cell and the infection spreads antibodies generated by the bodys immune system eventually target the virus and in most cases halt its progressa covid19 infection is generally mild and that really is the secret of the viruss success adds ball many people dont even notice they have got an infection and so go around their work homes and supermarkets infecting othersby contrast sars which is also caused by a coronavirus makes patients much sicker and kills about one in 10 of those infected in most cases these patients are hospitalised and that stops them infecting others by cutting the transmission chain milder covid19 avoids that issuewhy does the virus sometimes cause deathoccasionally however the virus can cause severe problems this happens when it moves down the respiratory tract and infects the lungs which are even richer in cells with ace2 receptors many of these cells are destroyed and lungs become congested with bits of broken cell in these cases patients will require treatment in intensive careeven worse in some cases a persons immune system goes into overdrive attracting cells to the lungs in order to attack the virus resulting in inflammation this process can run out of control more immune cells pour in and the inflammation gets worse this is known as a cytokine storm in greek cyto means cell and kino means movement in some cases this can kill the patientjust why cytokine storms occur in some patients but not in the vast majority is unclear one possibility is that some people have versions of ace2 receptors that are slightly more vulnerable to attacks from the coronavirus than are those of most peopleare we protected for life if we get infected\ndoctors examining patients recovering from a covid19 infection are finding fairly high levels of neutralising antibodies in their blood these antibodies are made by the immune system and they coat an invading virus at specific points blocking its ability to break into cellsit is clear that immune responses are being mounted against covid19 in infected people says virologist mike skinner of imperial college london and the antibodies created by that response will provide protection against future infections but we should note that it is unlikely this protection will be for life\ninstead most virologists believe that immunity against covid19 will last only a year or two that is in line with other coronaviruses that infect humans says skinner that means that even if most people do eventually become exposed to the virus it is still likely to become endemic which means we would see seasonal peaks of infection of this disease we will have reached a steady state with regard to covid19the virus will be with us for some time in short but could it change its virulence some researchers have suggested that it could become less deadly others have argued that it could mutate to become more lethal skinner is doubtful we have got to consider this pandemic from the viruss position he says it is spreading round the world very nicely it is doing ok change brings it no benefitin the end it will be the development and rollout of an effective vaccine that will free us from the threat of covid19 skinner sayswhen will we get a vaccineon 9 april the journal nature reported that 78 vaccine projects had been launched round the globe with a further 37 in development among the projects that are under way is a vaccine programme that is now in phaseone trials at oxford university two others at us biotechnology corporations and three more at chinese scientific groups many other vaccine developers say they plan to start human testing this yearthis remarkable response raises hopes that a covid19 vaccine could be developed in a fairly short time however vaccines require largescale safety and efficacy studies thousands of people would receive either the vaccine itself or a placebo to determine if the former were effective at preventing infection from the virus which they would have encountered naturally that inevitably is a lengthy processas a result some scientists have proposed a way to speed up the process by deliberately exposing volunteers to the virus to determine a vaccines efficacy this approach is not without risks but has the potential to expedite candidate vaccine testing by many months says nir eyal a professor of bioethics at rutgers universityvolunteers would have to be young and healthy he stresses their health would also be closely monitored and they would have access to intensive care and any available medicines the result could be a vaccine that would save millions of lives by being ready for use in a much shorter time than one that went through standard phase three trialsbut deliberately infecting people in particular volunteers who would be given a placebo vaccine as part of the trial is controversial this will have to be thought through very carefully says professor adam finn of bristol university young people might jump at the opportunity to join such a trial but this is a virus that does kill the odd young person we dont know why yet however phasethree trials are still some way off so we have time to consider the idea carefully", + "https://www.theguardian.com/", + "TRUE", + 0.11657249838284317, + 1404 + ], + [ + "Here are the innovations we need to reopen the economy", + "its entirely understandable that the national conversation has turned to a single question when can we get back to normal the shutdown has caused immeasurable pain in jobs lost people isolated and worsening inequity people are ready to get going againunfortunately although we have the will we dont have the way not yet before the united states and other countries can return to business and life as usual we will need some innovative new tools that help us detect treat and prevent covid19it begins with testing we cant defeat an enemy if we dont know where it is to reopen the economy we need to be testing enough people that we can quickly detect emerging hotspots and intervene early we dont want to wait until the hospitals start to fill up and more people dieinnovation can help us get the numbers up the current coronavirus tests require that healthcare workers perform nasal swabs which means they have to change their protective gear before every test but our foundation supported research showing that having patients do the swab themselves produces results that are just as accurate this selfswab approach is faster and safer since regulators should be able to approve swabbing at home or in other locations rather than having people risk additional contactanother diagnostic test under development would work much like an athome pregnancy test you would swab your nose but instead of sending it into a processing center youd put it in a liquid and then pour that liquid onto a strip of paper which would change color if the virus was present this test may be available in a few monthswe need one other advance in testing but its social not technical consistent standards about who can get tested if the country doesnt test the right people essential workers people who are symptomatic and those who have been in contact with someone who tested positive then were wasting a precious resource and potentially missing big reserves of the virus asymptomatic people who arent in one of those three groups should not be tested until there are enough for everyone elsethe second area where we need innovation is contact tracing once someone tests positive publichealth officials need to know who else that person might have infected for now the united states can follow germanys example interview everyone who tests positive and use a database to make sure someone follows up with all their contacts this approach is far from perfect because it relies on the infected person to report their contacts accurately and requires a lot of staff to follow up with everyone in person but it would be an improvement over the sporadic way that contact tracing is being done across the united states now an even better solution would be the broad voluntary adoption of digital tools for example there are apps that will help you remember where you have been if you ever test positive you can review the history or choose to share it with whoever comes to interview you about your contacts and some people have proposed allowing phones to detect other phones that are near them by using bluetooth and emitting sounds that humans cant hear if someone tested positive their phone would send a message to the other phones and their owners could get tested if most people chose to install this kind of application it would probably help somenaturally anyone who tests positive will immediately want to know about treatment options yet right now there is no treatment for covid19 hydroxychloroquine which works by changing the way the human body reacts to a virus has received a lot of attention our foundation is funding a clinical trial that will give an indication whether it works on covid19 by the end of may and it appears the benefits will be modest at best but several morepromising candidates are on the horizon one involves drawing blood from patients who have recovered from covid19 making sure it is free of the coronavirus and other infections and giving the plasma and the antibodies it contains to sick people several major companies are working together to see whether this succeeds another type of drug candidate involves identifying the antibodies that are most effective against the novel coronavirus and then manufacturing them in a lab if this works it is not yet clear how many doses could be produced it depends on how much antibody material is needed per dose in 2021 manufacturers may be able to make as few as 100000 treatments or many millionsif a year from now people are going to big public events such as games or concerts in a stadium it will be because researchers have discovered an extremely effective treatment that makes everyone feel safe to go out again unfortunately based on the evidence ive seen theyll likely find a good treatment but not one that virtually guarantees youll recoverthats why we need to invest in a fourth area of innovation making a vaccine every additional month that it takes to produce a vaccine is a month in which the economy cannot completely return to normal the new approach im most excited about is known as an rna vaccine the first covid19 vaccine to start human trials is an rna vaccine unlike a flu shot which contains fragments of the influenza virus so your immune system can learn to attack them an rna vaccine gives your body the genetic code needed to produce viral fragments on its own when the immune system sees these fragments it learns how to attack them an rna vaccine essentially turns your body into its own vaccine manufacturing unit there are at least five other efforts that look promising but because no one knows which approach will work a number of them need to be funded so they can all advance at full speed simultaneously even before theres a safe effective vaccine governments need to work out how to distribute it the countries that provide the funding the countries where the trials are run and the ones that are hardesthit will all have a good case that they should receive priority ideally there would be global agreement about who should get the vaccine first but given how many competing interests there are this is unlikely to happen whoever solves this problem equitably will have made a major breakthroughworld war ii was the defining moment of my parents generation similarly the coronavirus pandemic the first in a century will define this era but there is one big difference between a world war and a pandemic all of humanity can work together to learn about the disease and develop the capacity to fight it with the right tools in hand and smart implementation we will eventually be able to declare an end to this pandemic and turn our attention to how to prevent and contain the next one", + "https://www.washingtonpost.com/opinions", + "TRUE", + 0.19523858717040535, + 1150 + ], + [ + "Act like you have COVID-19': PM Ardern says as New Zealand heads into lockdown", + "prime minister jacinda ardern told new zealanders on wednesday to behave as if they had the coronavirus and cut all physical contact outside their household when the country heads into a onemonth lockdown at midnightardern declared a national state of emergency as the number of cases of covid19 the disease associated with the coronavirus surged by a record 50 cases to take the national tally to 205the government has imposed selfisolation for everyone with all nonessential services schools and offices to be shut for a month from midnight 1100 gmtfrom midnight tonight we bunker down for four weeks to try and stop the virus in its tracks to break the chain ardern told parliamentmake no mistake this will get worse before it gets better we will have a lag and cases will increase for the next week or so then well begin to know how successful we have beenardern told parliament the lockdown was triggered by early evidence of community transmission of covid19 the disease caused by the coronavirusat a news conference later in the day ardern said modeling suggested new zealand could have several thousands cases of covid19 before the numbers start coming downif you have any questions about what you can or cant do apply a simple principle act like you have covid19 ardern saidevery move you then make is a risk to someone else that is how we must all collectively think thats why the joy of physically visiting other family children grandchildren friends neighbors is on hold because were all now putting each other first and that is what we as a nation do so wellnew zealand with about 5 million people has fewer infections than many other countries but arderns government wants to move fast to halt the spread it was one of the first to force all arriving travelers into selfisolation and to ban large gatheringsall nonessential services bars restaurants cafes gyms cinemas pools museums libraries playgrounds and any other place where the public congregate will be closed during the lockdownsupermarkets doctors pharmacies service stations and access to essential banking services will all be availablemajor cities like auckland and wellington wore a deserted look on wednesday as businesses shut down cafes closed and all offices locked their doorsthe disruptions are expected to have a deep impact on businesses and lead to thousands of job losses some firms have already announced job cutsthe government has announced billions of dollars in support for small businesses workers and families and promised more in the coming dayson wednesday it announced a six month freeze on residential rent increases and increased protection from having tenancies terminatedardern said it was ok to go for a walk with your children a run near your house or drive to get groceries during the lockdown but everyone had to keep 2 meters 6 feet distance and people may be stopped and questioned by the policethis is only the second time in new zealands history that a national emergency has been declared with the first one on 23 february 2011 after a 63 magnitude earthquake struck the south island city of christchurch killing almost 200cases in neighboring australia have soared past 2250 and officials have warned infections could overwhelm medical servicesindias 13 billion population also went into complete lockdown for 21 days to protect the worlds second most populous country from coronavirus", + "https://www.reuters.com/", + "TRUE", + 0.09138367805034472, + 558 + ], + [ + "Cold weather and snow CANNOT kill the new coronavirus", + "there is no reason to believe that cold weather can kill the new coronavirus or other diseases the normal human body temperature remains around 365c to 37c regardless of the external temperature or weather the most effective way to protect yourself against the new coronavirus is by frequently cleaning your hands with alcoholbased hand rub or washing them with soap and water", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.08977272727272727, + 62 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health suppliesprescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 80 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of blood convalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 190 + ], + [ + "What treatments work?", + "there is no cure for covid19 a vaccine is being developed but it will be some time before it is available different medicines are being tested to see whether they can help patients with covid19 the research is in the early stages so these medicines are normally only given as part of a clinical trial a drug called remdesivir may be used in patients who have severe covid19 other drugs that are being investigated are called chloroquine hydroxychloroquine and lopinavirritonavir another treatment is being developed from the blood of people who have recovered from covid19 their blood contains proteins called antibodies which can stick to the virus that causes covid19 and help to fight the infection this treatment is called convalescent plasmahospital treatment the treatment for someone with covid19 is the same as for pneumonia or any other serious viral chest infectionif you are treated in hospital the treatment will consist of rest making sure you get plenty of fluids possibly through an iv intravenous drip medication to lower fever and reduce pain if needed oxygen if you need it and close monitoring you might also be given antibiotics to begin with in case you have a bacterial infection but if testing shows that you have a viral infection the antibiotics will be stopped as antibiotics dont work against virusespeople with severe symptoms might be treated in an intensive care unit icu if you need to be treated in intensive care your treatment might also includea tube passed through your mouth to your windpipe called an endotracheal tube and a ventilator to support your breathing some people being treated in hospital might also need treatment for sepsishome treatmentin most countries people who are seriously ill would probably be isolated and treated in hospitalbut if someone has mild symptoms of suspected covid19 they can probably be looked after at home until they can be tested for example in the uk people who have symptoms are advised not to go to hospital right away but to stay at home and contact their health authorities and to follow their advice this will help stop the spread of the virusthe guidance for looking after them at home is as follows they should be looked after in a well ventilated room by themselves and should stay in that room as much as possible so that they dont spread the infection the number of people who look after the ill person should be limited to as few as possible ideally anyone looking after the ill person should be in good healthif you wear a medical mask while looking after someone with symptoms change it for a new one if it comes into contact with their bodily fluidswash your hands thoroughly after touching the ill person you might want to wear disposable gloves such as latex glovesdispose carefully of any tissues the person uses dont share anything like towels or bedclothes with the ill person carefully wash any plates drinking glasses and cutlery after they use it regularly wipe and disinfect any surfaces the person touches regularly such as bedside tablesclean toilet and bathroom surfaces regularlyclean all clothes bedclothes and towels used by the ill person at 60 to 90 c the ill person should limit contact with pets and other animals at this time there is no evidence that pets and other animals can spread covid19 but caution is advised cats can become infected with coronavirus after contact with people who have covid19scientists are carrying out research in this area too keep taking any prescribed medications unless your doctor recommends that you stopthe advice might change as we find out more about this virus and how it spreadsif you are looking after someone who might have covid19 at home your whole household might need to stay in isolation for up to 14 days to reduce the risk of passing on the infectionif you are not sure what to do contact your doctor for advicewhat will happenits not possible to say what will happen to someone infected with covid19 the outcome can vary what we know so far is that the infection is most likely to be serious in older people with existing longterm health problems but most people with covid19 dont become seriously ill about 80 in 100 people with covid19 have a mild illness about 20 in 100 people develop more severe symptoms most people who become ill are middle aged and older but some young adults have become very ill as well children are much less likely than adults to become ill but a few children do become very ill men are more likely than women to become severely ill the best thing you can do is to follow the advice about travel restrictions other prevention measures and about what to do if you feel ill this will help to protect you and the people around you during the covid19 pandemic doctors have noticed that fewer people are coming to hospital with serious illnesses like heart attacks or cancers if you feel unwell even if you dont think you have covid19 it is very important to get help hospitals are still open for other emergenciesif you usually do a lot of exercise you should rest for at least two weeks after recovering from covid19 or testing positive for coronavirus you should speak to your doctor about when you can start exercising again", + "https://bestpractice.bmj.com/", + "TRUE", + -0.005795870795870796, + 898 + ], + [ + "2019 novel coronavirus (2019-nCoV) does not contain “pShuttle-SN” sequence, no evidence that virus is man-made", + "the article containing this claim was published in early february and went viral on facebook within days receiving more than 23000 interactions and 900000 views published by infowars it states that the 2019 novel coronavirus 2019ncov is manmade and that this is proven by the presence of a pshuttlesn sequence identical or similar claims have been repeated in outlets such as natural news and the highwire\nthe claim is based on another article published on 30 january 2020 authored by james lyonsweiler who formerly worked at the university of pittsburgh as a bioinformatician lyonsweiler claimed that a sequence in 2019ncov which he named ins1378 is similar to a sequence in the pshuttlesn expression vector pshuttlesn was used to produce a protein made by the sars coronavirus sarscov with the aim of generating a potential sars vaccine1 based on this observation he posited that 2019ncov was a manmade virus that arose as a result of sars vaccine experiments leading to the sensational claims by many information outletsexperts who examined lyonsweilers hypothesis found it to be scientifically unsound aaron irving a virologist and senior research fellow at dukenus medical school pointed out that the similarity between ins1378 and pshuttlesn is actually low with only a 67 match between both dna sequences a finding that even lyonsweiler acknowledged in his article but infowars and other outlets did notin fact conducting a multiple sequence alignment of ins1378 against all sequences in the national center for biotechnology information database demonstrates that ins1378 has much more similarity to bat coronaviruses than pshuttlesn which does not even appear in the list thereby refuting lyonsweilers suggestion that the unique sequence in 2019ncov is most strongly related to pshuttlesn rather than other coronaviruses the screenshot below shows the ranking for the first 30 most similar sequences to ins1378 steven salzburg a computational biologist and professor at johns hopkins school of medicine highlighted that the two aligned sequences are distantly related but this would argue against lyonsweilers claim if the insert came from a commercial vector it would be nearidenticalin short lyonsweilers analysis does not support his claim that 2019ncov is a laboratoryengineered virus or that the virus is linked to a sars vaccine inaccurate interpretation of his analysis by infowars and other outlets have further compounded the scientific errors resulting in an inaccurate and highly misleading reportthe original blog post by james lyonsweiler lists 4 options for how 2019ncov originated he rejects options 1 and 2 which state that 2019ncov arose naturally as he is not an expert in virus evolution and so disregards the valid science option 3 is kind of crazy and completely irrelevant sars and 2019ncov are only bsl3 pathogens so it doesnt even matter if wuhan has a bsl4 lab\nlyonsweiler suggests option 4 to be most likely option 4 shows that the ins1378 insert in 2019ncov has homology to pshuttlesn a vector used in an attempt to create a sars vaccine this is normal and expected since it is based on sarscov he even states himself there is low sequence homology with only a 67 match for this insert at the nucleic acid level as shown in the screenshotshe also looks at a partial protein sequence from this insert where there is only a 62 identity to sarscov and a 70 identity to a bat sarslike virus alex jones of infowars incorrectly interpreted the 92 query cover as homology when in fact it means only 92 matched at 62 homology and 8 of this protein chunk has no match at allthey claim this as a statement from lyonsweiler when it is actually their own poor reporting indeed when you perform blast on the insert as provided in lyonsweilers link and blast it against everything in the ncbi database with dissimilarlow homology options included the pshuttlesn result is not even in the top 100 results limit of blast results due to the really low homology there is no other mention of any of the other 100 results which include bat sarslike viruses and sars itself all more homologous then the vaccine attempt this is just another example of poor science and people showing only part of the result possibly to suit their own agendaread more similar claim regarding hiv insertions in 2019ncov also found to be inaccurate", + "https://sciencefeedback.co/", + "TRUE", + 0.09440277777777778, + 712 + ], + [ + "Don’t Fall for These Myths About Coronavirus", + "as the coronavirus continues to spread across the globe confusion and misconceptions about what can protect you are becoming as contagious as the virus we spoke to doctors and experts in infectious diseases about whether theres any truth to these common claimspurell can help protect you\nmaybe hand sanitizers with over 60 percent alcohol are effective in killing viruses like the coronavirus dr william schaffner md a professor of preventive medicine and infectious diseases at vanderbilt university medical center said but no one knows for sure if they will work on the current virus gels like purell may be easier for small children in particular who may lack the coordination to do the full hand washing technique recommended by the centers for disease control and prevention vigorously scrubbing both sides and between the fingers for at least 20 seconds but washing hands is still crucial and potentially more effective in protecting you since it both removes germs and the dirt they cling to you cant do it enough said h cody meissner md chief of the division of pediatric infectious disease at tufts university school of medicine and a member of the american academy of pediatrics committee on infectious diseases antibacterial soap has no added benefit dr schaffner said just be thorough and dont forget your thumbsstock up on vitamin c\nno you might be tempted to bulk order vitamin c or other supposedly immuneboosting supplements but their effectiveness is a longstanding fallacy even in the cases of colds or flus vitamin c hasnt shown a consistent benefit if theres going to be an advantage its going to be very modest dr schaffner said that said extra vitamin c wont do you any harm unless youre just downing bottles of it said dr frank esper md a pediatric infectious disease specialist at cleveland clinic childrens hospital in those cases excessive vitamin c can be damaging to the stomach and kidneys there is no evidence that supplements like zinc green tea and echinacea are beneficial to prevent coronavirus said dr mark j mulligan md division director of the infectious diseases and vaccine center at nyu langone medical center i do not recommend spending money on supplements for this purposeeveryone should wear masks\npresident trump announced on april 3 2020 that the centers for disease control and prevention recommend that all americans should wear nonmedical cloth masks in publicpreviously the cdc like the world health organization advised that people didnt need to wear masks unless they were sick and coughing or caring for someone who was researchers are finding that there are more cases of asymptomatic transmission than were known at the start of the outbreak\npublic health officials have urged that n95 masks should be saved for front line doctors and nurses who have been in dire need of protective gear\nwear gloves when touching common surfaces like elevator buttons and subway poles not really wearing gloves is probably not effective in preventing the spread of the virus dr esper said because then what are you doing with them eventually the gloves themselves become contaminated most gloves have minute holes dr meissner said just simple hand washing with soap and water is the most timetested and the most effective intervention get your flu shotyes but not for coronavirus you might have the sense from social media that flu shots help ward off coronavirus while the flu shot has no impact on coronavirus dr schaffner said we are still at the tail end of flu season getting a flu shot is absolutely helpful for ensuring good health in general dr esper said youre much more likely to get influenza right now than you are to get coronavirus", + "https://www.nytimes.com/", + "TRUE", + 0.11991883116883115, + 615 + ], + [ + "Can children or adolescents catch COVID-19?", + "research indicates that children and adolescents are just as likely to become infected as any other age group and can spread the diseaseevidence to date suggests that children and young adults are less likely to get severe disease but severe cases can still happen in these age groupschildren and adults should follow the same guidance on selfquarantine and selfisolation if there is a risk they have been exposed or are showing symptoms it is particularly important that children avoid contact with older people and others who are at risk of more severe disease", + "https://www.who.int/", + "TRUE", + 0.09722222222222222, + 93 + ], + [ + "Spraying and introducing bleach or another disinfectant into your body WILL NOT protect you against COVID-19 and can be dangerous", + "do not under any circumstance spray or introduce bleach or any other disinfectant into your body these substances can be poisonous if ingested and cause irritation and damage to your skin and eyesbleach and disinfectant should be used carefully to disinfect surfaces only remember to keep chlorine bleach and other disinfectants out of reach of children", + "https://www.who.int/", + "TRUE", + -0.0875, + 56 + ], + [ + "Looking after your mental health", + "its normal to feel worried about coronavirus this is an uncertain time and you might be feeling bored lonely anxious frustrated or low its important to remember that for most people these feelings will pass here are some things that you can do to look after your mental health during the coronavirus pandemic stay connected with friends and family talk about your worries carry on doing things you enjoy keep on getting support for your physical and mental health difficulties if possible lots of healthcare providers are able to offer phone or video appointments eat healthy meals and drink enough water exercise regularly try not to drink too much alcohol try to maintain a regular sleeping pattern", + "https://bestpractice.bmj.com/", + "TRUE", + 0.04736842105263159, + 117 + ], + [ + "No one is using the coronavirus crisis as an excuse to impose mass vaccinations.", + "unfortunately there is as yet no vaccination or cure for coronavirus the eu has already mobilised 140 million for research towards a cure and vaccine vaccinations are one of the greatest successes of public health worldwide it saves at least 23 million lives each year and saves many more from crippling and lifelong illnesses\n\nwhile the eu actively promotes that vaccines work there are no plans to impose mass vaccinations on the other hand there are plenty of people spreading unscientific antivaccine claims these claims prey on emotions and fear causing significant harm to public health", + "https://ec.europa.eu/", + "TRUE", + 0.1106060606060606, + 96 + ], + [ + "Coronavirus: What it does to the body", + "the coronavirus emerged in only december last year but already the world is dealing with a pandemic of the virus and the disease it causes covid19\nfor most the disease is mild but some people dieso how is the virus attacking the body why are some people being killed and how is it treatedincubation periodthis is when the virus is establishing itselfviruses work by getting inside the cells your body is made of and then hijacking themthe coronavirus officially called sarscov2 can invade your body when you breathe it in after someone coughs nearby or you touch a contaminated surface and then your faceit first infects the cells lining your throat airways and lungs and turns them into coronavirus factories that spew out huge numbers of new viruses that go on to infect yet more cellsat this early stage you will not be sick and some people may never develop symptomsthe incubation period the time between infection and first symptoms appearing varies widely but is five days on averagemild diseasethis is all most people will experiencecovid19 is a mild infection for eight out of 10 people who get it and the core symptoms are a fever and a coughbody aches sore throat and a headache are all possible but not guaranteedthe fever and generally feeling grotty is a result of your immune system responding to the infection it has recognised the virus as a hostile invader and signals to the rest of the body something is wrong by releasing chemicals called cytokinesthese rally the immune system but also cause the body aches pain and feverthe coronavirus cough is initially a dry one youre not bringing stuff up and this is probably down to irritation of cells as they become infected by the virus\nsome people will eventually start coughing up sputum a thick mucus containing dead lung cells killed by the virusthese symptoms are treated with bed rest plenty of fluids and paracetamol you wont need specialist hospital carethis stage lasts about a week at which point most recover because their immune system has fought off the virushowever some will develop a more serious form of covid19this is the best we understand at the moment about this stage however there are studies emerging that suggest the disease can cause more coldlike symptoms such as a runny nose toosevere diseaseif the disease progresses it will be due to the immune system overreacting to the virusthose chemical signals to the rest of the body cause inflammation but this needs to be delicately balanced too much inflammation can cause collateral damage throughout the bodythe virus is triggering an imbalance in the immune response theres too much inflammation how it is doing this we dont know said dr nathalie macdermott from kings college londoninflammation of the lungs is called pneumoniaif it was possible to travel through your mouth down the windpipe and through the tiny tubes in your lungs youd eventually end up in tiny little air sacsthis is where oxygen moves into the blood and carbon dioxide moves out but in pneumonia the tiny sacs start to fill with water and can eventually cause shortness of breath and difficulty breathingsome people will need a ventilator to help them breathethis stage is thought to affect around 14 of people based on data from chinacritical diseaseit is estimated around 6 of cases become critically illby this point the body is starting to fail and there is a real chance of deaththe problem is the immune system is now spiralling out of control and causing damage throughout the bodyit can lead to septic shock when the blood pressure drops to dangerously low levels and organs stop working properly or fail completelyacute respiratory distress syndrome caused by widespread inflammation in the lungs stops the body getting enough oxygen it needs to survive it can stop the kidneys from cleaning the blood and damage the lining of your intestinesthe virus sets up such a huge degree of inflammation that you succumb it becomes multiorgan failure dr bharat pankhania saidand if the immune system cannot get on top of the virus then it will eventually spread to every corner of the body where it can cause even more damage\ntreatment by this stage will be highly invasive and can include ecmo or extracorporeal membrane oxygenationthis is essentially an artificial lung that takes blood out of the body through thick tubes oxygenates it and pumps it back inbut eventually the damage can reach fatal levels at which organs can no longer keep the body alivethe first deathsdoctors have described how some patients died despite their best effortsthe first two patients to die at jinyintan hospital in wuhan china detailed in the lancet medical journal were seemingly healthy although they were longterm smokers and that would have weakened their lungsthe first a 61yearold man had severe pneumonia by the time he arrived at hospitalhe was in acute respiratory distress and despite being put on a ventilator his lungs failed and his heart stopped beatinghe died 11 days after he was admittedthe second patient a 69yearold man also had acute respiratory distress syndromehe was attached to an ecmo machine but this wasnt enough he died of severe pneumonia and septic shock when his blood pressure collapsed\n", + "https://www.bbc.com/", + "TRUE", + 0.08370845986517628, + 874 + ], + [ + "What is viral load, and does it mean doctors and nurses face greater risk of infection or getting more severely ill?", + "viral load refers to the amount of virus detected in a sample such as blood if the virus is present in blood or the lungs if they can be sampled and most commonly in nasal swabs taken for diagnosis it is a quantitative measure of how much virus there is in a particular body fluid or site certainly the higher the viral load the greater the risk of transmission to an uninfected person but transmission is a complex process and the amount of virus a person is exposed to is only one variable while viral load can affect the risk of becoming infected it is not typically associated with a more severe outcome of infection that is determined by how well the virus replicates in the infected person their general state of health and perhaps genetic factors and unknown factors that change risk", + "https://www.globalhealthnow.org/", + "TRUE", + 0.13025210084033612, + 143 + ], + [ + "Pandemic Turns Political", + "in america this is what it has come to health workers in scrubs standing in a crosswalk blocking carloads of socialdistance protesters\nhundreds of people gathered in denver and elsewhere over the weekend protesting the infringement on their rightsand underscoring americas politically divided responserepublicans and democrats in the us have dramatically different perceptions on the risks posed by the virus and stayathome orders axios notes many conservatives live in states with fewer cases while liberals in bigcities are seeing more death up closeand yet as some southern us states angle to lift stayathome orders more than twothirds of americans agree that a return to normal life is too risky at this point according to an axiosipsos pollprevious pandemics stirred protests the bulletin of the atomic scientistsrecountsfor example during a 1894 smallpox outbreak when immigrants were forcibly removed from their homes and put into isolation hospitalswhats different here protests against government epidemic policies arent entirely rare a president joining with protestors in his own country rallying against his own policies is the scientists say pointing to trumpss tweet to liberate michigan", + "https://www.globalhealthnow.org/", + "TRUE", + 0.29125874125874124, + 180 + ], + [ + "Coronavirus disease (COVID-19): Symptoms and treatment", + "those who are infected with covid19 may have little to no symptoms you may not know you have symptoms of covid19 because they are similar to a cold or flu symptoms have included cough fever difficulty breathing pneumonia in both lungs in severe cases infection can lead to death symptoms may take up to 14 days to appear after exposure to covid19 this is the longest known incubation period for this disease recent evidence indicates that the virus can be transmitted to others from someone who is infected but not showing symptoms this includes people who have not yet developed symptoms presymptomatic never develop symptoms asymptomatic while experts know that these kinds of transmissions are happening among those in close contact or in close physical settings it is not known to what extent this means it is extremely important to follow the proven preventative measuresif you or your child become ill if you are showing symptoms of covid19 reduce your contact with others isolate yourself at home for 14 days to avoid spreading it to others if you live with others stay in a separate room or keep a 2metre distance visit a health care professional or call your local public health authority call ahead to tell them your symptoms and follow their instructions children who have mild covid19 symptoms are able to stay at home with a caregiver throughout their recovery without needing hospitalization if you are caring for a child who has suspected or probable covid19 it is important to follow the advice for caregivers this advice will help you protect yourself others in your home as well as others in the community if you become sick while travelling back to canada inform the flight attendant or a canadian border services officer advise a canada border services agent on arrival in canada if you believe you were exposed to someone who was sick with covid19 even if you do not have symptoms this is required under the quarantine act the canada border services agent will provide instructions for you to follow check if you have been exposed have you been on a recent flight cruise train or at a public gathering check the listed exposure locations to see if you may have been exposed to covid19 take care of your mental health the covid19 pandemic is new and unexpected this situation can be unsettling and can cause a sense of loss of control it is normal to feel sad stressed confused scared or worried in a crisis make sure to care for your mental and physical wellbeing and to ask for help if you feel overwhelmed diagnosing coronavirus coronavirus infections are diagnosed by a health care provider based on symptoms and are confirmed through laboratory tests treating coronavirus most people with mild coronavirus illness will recover on their own if you are concerned about your symptoms you should selfmonitor and consult your health care provider they may recommend steps you can take to relieve symptoms vaccine if you have received a flu vaccine it will not protect against coronaviruses at this time a vaccine or therapy to treat or prevent this disease has not yet been developed however the covid19 pandemic has resulted in a global review of therapies that may be used to treat or prevent the disease health canada is fast tracking the importation and sale of medical devices used to diagnose treat or prevent covid19about coronaviruses\ncoronaviruses are a large family of viruses some cause illness in people and others cause illness in animals human coronaviruses are common and are typically associated with mild illnesses similar to the common cold covid19 is a new disease that has not been previously identified in humans rarely animal coronaviruses can infect people and more rarely these can then spread from person to person through close contactthere have been 2 other specific coronaviruses that have spread from animals to humans and which have caused severe illness in humans these are the", + "canada.ca", + "TRUE", + 0.018499478916145576, + 662 + ], + [ + "What is social distancing and why is it important?", + "the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectantsocial distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community levelslowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07178631553631552, + 204 + ], + [ + "Is the antiviral drug remdesivir effective for treating COVID-19?", + "scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virus\nthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safe", + "https://www.health.harvard.edu/", + "TRUE", + 0.17064306661080852, + 413 + ], + [ + "How do I know if I have COVID-19 or the regular flu?", + "covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your area", + "https://www.health.harvard.edu/", + "TRUE", + -0.15999999999999998, + 67 + ], + [ + "https://www.thelancet.com/", + "since the outbreak of coronavirus disease 2019 covid19 began in december a question at the forefront of many peoples minds has been its mortality rate is the mortality rate of covid19 higher than that of influenza but lower than that of severe acute respiratory syndrome sars\nthe trend in mortality reporting for covid19 has been typical for emerging infectious diseases the case fatality rate cfr was reported to be 15 six of 41 patients in the initial period1 but this estimate was calculated from a small cohort of hospitalised patients subsequently with more data emerging the cfr decreased to between 43 and 1102 3 and later to 344 the rate reported outside china in february was even lower 04 two of 4645view related content for this article this pattern of decreasing cfrs is not surprising during the initial phase of an outbreak hard outcomes such as the cfr have a crucial part in forming strategies at national and international levels from a public health perspective it is imperative that healthcare leaders and policy makers are guided by estimates of mortality and case fatalityhowever several factors can restrict obtaining an accurate estimate of the cfr the virus and its clinical course are new and we still have little information about them health care capacity and capability factors including the availability of healthcare workers resources facilities and preparedness also affect outcomes for example some countries are able to invest resources into contact tracing and containing the spread through quarantine and isolation of infected or suspected cases in singapore where these measures have been implemented the cfr of 631 cases as of march 25 2020 is 03 in other places testing might not be widely available and proactive contact tracing and containment might not be employed resulting in a smaller denominator and skewing to a higher cfr the cfr can increase in some places if there is a surge of infected patients which adds to the strain on the healthcare system and can overwhelm its medical resources\na major challenge with accurate calculation of the cfr is the denominator the number of people who are infected with the virus asymptomatic cases of covid19 patients with mild symptoms or individuals who are misdiagnosed could be left out of the denominator leading to its underestimation and overestimation of the cfra unique situation has arisen for quite an accurate estimate of the cfr of covid19 among individuals onboard the diamond princess cruise ship data on the denominator are fairly robust the outbreak of covid19 led passengers to be quarantined between jan 20 and feb 29 2020 this scenario provided a population living in a defined territory without most other confounders such as imported cases defaulters of screening or lack of testing capability 3711 passengers and crew were onboard of whom 705 became sick and tested positive for covid19 and seven died6 giving a cfr of 099 if the passengers onboard were generally of an older age the cfr in a healthy younger population could be loweralthough highly transmissible the cfr of covid19 appears to be lower than that of sars 95 and middle east respiratory syndrome 3448 but higher than that of influenza 01we declare no competing interests", + "https://www.thelancet.com/", + "TRUE", + 0.10640462374504926, + 532 + ], + [ + "Sun exposure does not kill the coronavirus", + "there is no evidence that sun exposure kills the coronavirus known officially as covid19 unicef has debunked the claim unicef is a humanitarian organization not a public health institution published march 6 charlotte petri gornitzka unicefs deputy executive director for partnerships addressed some misinformation about the coronavirus including the fake handoutthe centers for disease control and prevention the best ways to prevent the 2019 coronavirus are to wash your hands with soap and water avoid touching your face avoid close contact with sick people cover your coughs and sneezes and disinfect surfaces in your home daily as of now there is no specific treatment for the virus", + "https://www.politifact.com/", + "TRUE", + 0.04081632653061224, + 107 + ], + [ + "How reliable is the test for COVID-19?", + "in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for resultsif a test result comes back positive it is almost certain that the person is infecteda negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positiveif you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing", + "https://www.health.harvard.edu/", + "TRUE", + -0.08357082732082731, + 190 + ], + [ + "Is 5G Safe?", + "5g is a new radio technology so naturally those most concerned about environmental health have been asking if its safe new antennas are going up outside apartment windows and most of us tend to keep our phones quite close to us at all times theres a lot of science on the subject and also a lot of pseudoscience we try to cut through the bull to explain the safety issues with radio waves in general cell phones in particular and what makes 5g differentwere going to start by explaining the terminology used for this topic because there are some common misconceptions about what these terms mean then were going to cover radio waves in general because there are important relevant principles that apply to all radio waves including all cell phones and all 5g technology finally well get into what makes 5g uniquealso if youre concerned about this topic because you came across an alarming article or tv segment about the dangers of 5g make sure that wasnt actually russian propaganda designed to hold back the us technologically and economically because yes the russians are doing exactly that\nterminologywhen looking into whether phones might pose any kind of health risk to humans it doesnt take long to run into scarysounding terms like radiation absorption and safe power levels you also quickly run into summaries of research that seem to leave a lot of wiggle room or include alarming statements like possibly carcinogenic to humans in order to approach this topic rationally its vital to take a step back and understand what these terms mean in context these statements are written by scientists who strive to use language that is scientifically accurate but what those same terms mean to you and i is often quite different\nfor example the term radiation comes up a lot if youre like me your mind might jump to something like chernobyl when you hear this term but the dictionary definition for the word radiation is emitting energy in the form of waves or particles so its very broad and includes a great many things most of which have nothing to do with radioactive particles phones radiate radio waves the same way a speaker radiates sound or a fireplace radiates warmth thats all radiation means to a scientistyoull also see the term absorption in reference to human flesh absorbing radio waves this might also sound scary your body can absorb many frequencies of radio waves which means the atoms in your tissue are in some incrediblytinybutmeasurable way interacting with those waves and unless you live in a deep cave or faraday cage your body does absorb radio waves all day every day asking what effect those waves have on your body is a valid question to ask the short version is that its like putting your hand in front of a flashlight your hand absorbs most radio waves the same way it absorbs most light with the same risk to your health more on this laterscientists and researchers tend to err on the side of caution when studying health risks theyre careful to acknowledge unknowns and risks however small its a bit like ads for medical drugs an ad on tv might tell you that taking a drug could lead to death just because one person died during a clinical trial even if theres no evidence the drug was related to that death but your doctor knows more about those trials and can tell you that the drug is extremely safe similarly youll probably never see a reputable study that unequivocally declares cell phones are safe as much as the average person would like to hear that thats simply not how serious scientific research works the best we can hope for is ample research showing that if any health risk exists that risk is very small and that is exactly where we are more on this laterbut as long as there are risk levels and uncertainty however insignificant there will be scary phrasing like the possibly carcinogenic to humans classification of radio waves by the international agency for research on cancer eeek out of context that does sound scary right but lets put it in context first of all their category for possible is distinct from their category for probable and even when they say probable it doesnt mean a link has been proven other items in the possibly carcinogenic to humans category include coffee the power lines inside your house and baby powder finally this possibly carcinogenic classification for radio waves is for all radio waves not just cell phones the world has been full of all kinds of radio waves for a hundred years with no major ill effectthe electromagnetic spectrumas you may recall from school radiofrequency rf waves exist on the electromagnetic spectrum which also includes visible light xrays and gamma raysthere is a part of the electromagnetic spectrum that can be harmful to humans and its everything above visible light that includes some ultraviolet light which is why we use sunscreen xrays and gamma rays xrays and gamma rays are ionizing radiation which means they have enough energy to change the makeup of atoms by removing an electron in humans that can damage dna which raises the risk of cancerradio waves are below visible light on the spectrum along with infrared light this is the safe or nonionizing side of the spectrum where frequencies and thus energy levels are too low to knock electrons out of atoms that limits the kinds of effects radio waves can have on human tissue and dnanote that energy in this context is not the same as power level strength think of it like your teeth an ultrasonic toothbrush or a dentists ultrasonic pick uses superfast vibrations high frequencies to make plaque and tartar practically fly off your teeth thats analogous to how the high frequencies of gamma rays have enough energy to knock electrons out of atoms however if you just tap your teeth quickly with your knuckle you might be applying much more force a higher power level but youd be accomplishing nothing because of the much lower frequency your hand muscles cant vibrate your knuckle thousands of times per secondradio waves can interact with and affect matter but generally only in the same way as their neighbors on the electromagnetic spectrum infrared light and visible light that is by vibrating atoms which humans experience as heatso thats really all that radio waves are capable of doing to humans heating them up in fact thats exactly how a microwave oven works but the power levels are very different good luck running a microwave oven on batteries thats part of why the fcc regulates radio power levels to make sure no one is getting cooked of course if you were getting cooked by radio waves or even just slightly warmed up youd feel itwho should you trustthere are many studies by industry groups on this subject but i wouldnt blame anyone for not trusting any industry when it comes to whether its own products are safehow about the government the fda has investigated the issue in depth and determined that cell phones are safe and set radio emission power level limits below safe levels just to be extrasafe those limits are enforced by the fcc those limits were created by nonpolitical career scientists and havent changed during various administrations regardless of whether those in power were considered more businessfriendly or consumerfriendly the fda fcc and cdc all agree that the issue has been studied and no clear evidence of danger has been found and yet plenty of people simply dont trust the government so lets see if we can find a group thats more unbiased and above reproachthat leads us to the american cancer society acs if youre not familiar they are one of the oldest and most highlyrespected nonprofit organizations devoted to researching and fighting cancer they were instrumental in exposing cigarettes as a carcinogen their staff numbers well over 5000 theyre independent and their only agenda is fighting cancerare radio waves safeyou should read all of what the acs has to say on the subject its very comprehensive but to sum upthe rf waves given off by cell phones dont have enough energy to damage dna directly or to heat body tissues because of this its not clear how cell phones might be able to cause cancer most studies done in the lab have supported the idea that rf waves do not cause dna damage\nspecifically regarding studies on humans they have this to sayin most studies patients with brain tumors do not report more cell phone use overall than the controls this finding is true when all brain tumors are considered as a group or when specific types of tumors are consideredmost studies do not show a doseresponse relationship which would be a tendency for the risk of brain tumors to be higher with increasing cell phone use this would be expected if cell phone use caused brain tumorsmost studies do not show that brain tumors occur more often on the side of the head where people hold their cell phones this might also be expected if cell phone use caused brain tumorsthey also mention a swedish study that did claim to find a small link on that last point but alsoit is hard to know what to make of these findings because most studies by other researchers have not had the same results and there is no overall increase in brain tumors in sweden during the years that correspond to these reportsif there was a remotely significant risk of cancer from cell phones you would expect the acs to be setting off alarm bells they are not quite the opposite as you can see above the majority of studies show that there is no risk or if there is it is incredibly smallwhat about heatcancer is not the only concern though as the fda notes heating the microwaveoven effect can be a particular concern in certain body partswhile rf energy doesnt ionize particles large amounts can increase body temperatures and cause tissue damage two areas of the body the eyes and the testes are particularly vulnerable to rf heating because there is relatively little blood flow in them to carry away excess heat\nthe key phrase is large amounts the power levels put out by phones simply arent enough to heat up human tissue the absolute maximum legal limit for radio energy output of a cell phone is 11000th that of a microwave oven and modern phones almost never transmit at anywhere near that level phones use many sophisticated technologies to make sure theyre outputting the absolute minimum amount of radio energy at any given moment simply to conserve battery life\nalso the way most of us use our phones your phone receives far more than it transmits a phone thats strictly downloading data isnt outputting any radio energy at all phones are almost always uploading and downloading but its very heavily skewed to the download side in most situationsto reach the maximum rf power level output from your phone which is still about 12000th that of a microwave oven youd need to do something like broadcast livestream video from your phone in a part of your network with relatively poor coverage even then the leading research says you should be fine but if youre skeptical maybe dont hold your phone against your eyeballs or testicles if you have them while you engage in that very specific activity\nand what is the risk here not cancer weve established that were talking about your eyeball being a fraction of a degree warmer for likely just few minutes thats a risk im fine withwhat makes 5g different there are two flavors of 5g mmwave and nonmmwave in the us both are being deployed its important to make the distinction mmwave stands for millimeter wave and refers the frequency its only the mmwave type of 5g that requires new kinds of antennas in new places because the frequencies are much higher if youre seeing those antennas being installed on light poles in your neighborhood those are mmwave antennassome companies are deploying 5g in existing frequency bands also used for 4g not mmwave and using essentially the same kinds of antennas youre used to seeing for decades on towers and rooftops sprint is doing this exclusively for its 5g network so far theyre not using mmwave at all this flavor of 5g sometimes call sub6 ghz is no different from 4g when it comes to the way it affects the human bodyin fact the 5g standard is heavily based on the 4g standard one dirty secret of the industry is that the 5g standard is barely a new standard at all but more like an evolution of the 4g standard so when people say 5g is a new thing that requires further study on its health effects theyre technically talking about mmwave frequency bands not the 5g standard itself\nas for mmwave its still just radio waves and all radio waves are nonionizing which is the safe end of the electromagnetic spectrum as explained above\nbut if anything mmwave frequencies are far safer than other radio frequency bands not to say those are dangerous thats because radio waves at frequencies that high dont penetrate solids well including your body the outer layers of your skin block the signal quite well as do walls and even glass thats why a mmwave 5g network needs so many antennas spread around town so close together it needs a dense mesh of antennas to provide decent coverage given how poorly it penetrates anything solidso when it comes to physics and the human body the only new thing about 5g is that the mmwave flavor of it is too weak to even reach your insides much less cause any health effects to themmmwave radio energy can only reach your skin there all it can theoretically do is heat it up although its not powerful enough to actually do so even if it could your skin is the one part of your body bestequipped to shed any excess heat in fact thats part of its function", + "https://www.phonescoop.com/", + "TRUE", + 0.12637405471430369, + 2374 + ], + [ + "What is the best way to counter misinformation in the media?", + "the best way to counter misinformation in the media is with an aggressive onslaught of facts during an outbreak information may be shifting guidance changing and questions multiplying but the process is guided by adherence to reality and logic uncertainty is not an excuse for entertaining arbitrary assertions offered in defiance of the need for evidence they should be identified as such and dismissedexperts in addition to relating facts should also explain the evidence that supports their conclusions and how recommendations are rooted in that evidence this is a daunting task as it involves more than information dissemination it requires attention to what counts as evidence and an understanding of how to evaluate competing claimssome of which are grounded in evidence and some of which clearly are not", + "https://www.globalhealthnow.org/", + "TRUE", + 0.2785714285714286, + 128 + ], + [ + "COVID-19 in patients with HIV", + "we read with interest the report by blanco and colleagues of five people living with hiv who were admitted to a barcelona hospital with covid19 we believe that caution is required before drawing conclusions on the outcome of covid19 in this populationevidence is evolving that protease inhibitors developed for the treatment of hiv both lopinavir and darunavir boosted by ritonavir or cobicistat are not efficacious against severe acute respiratory syndrome coronavirus sarscov2 in vivotherefore antiretroviral combinations should not be changed in an attempt to treat sarscov2 infection because neither drug combination is a firstline choice in most guidelines for hiv and changing treatment could lead to increased rates of adverse eventsantiretroviral treatments such as nonnucleoside reverse transcriptase inhibitors and integrase inhibitors have better tolerability than boosted protease inhibitors moreover three of the five cases described by blanco and colleagues were initiated or switched to an antiretroviral combination containing a pharmacokinetic booster thereby introducing a substantial risk of significant drugdrug interactions new antiviral drugs active against covid19 are being developed and interactions of such drugs with antiretrovirals can be seen frequently for example remdesivir might interact with carbamazepine and other drug metabolism inducers and no data are available on potential interactions with nucleoside analogues used in antiretroviral combinationscaution is needed when interpreting the incidence of covid19 in people living with hiv compared with the hivnegative population the numbers reported by blanco and colleagues are small and patients attended only one hospital so the sample is subject to bias the authors do not report on the proportion of patients with covid19 who were tested for hiv infection without universal hiv testing it is not possible to calculate the incidence of the two viral infections occurring in the same individual simultaneouslythe statement that only 1 of people admitted with covid19 to one hospital in barcelona had hiv can be misinterpreted and falsely reassuring particularly while we still do not entirely understand which populations should be protected from covid19 by social interventions such as shielding selfisolation and frequent testing in the uk large cohort studies are being done to investigate the true rate of infection clinical characteristics and outcomes of covid19 in people with hivchallenges in understanding the true frequency of covid19 in people with hiv include the overall limited testing that has happened so far particularly for patients not needing hospitalisation the admission of patients in hospitals external to where the individual might access their hiv care and the fact that people with hiv might be more vigilant at shielding and selfisolation because of the propagation of fears of higher acquisition rates and a poorer outcome of sarscov2 infection in people living with hivfinally appropriately powered and designed studies are needed to draw conclusions on the effect of covid19 in people with chronic diseases including hiv infection hiv infection is itself characterised by various clinical scenarios ranging from viral suppression and good quality of life to hivassociated comorbidities or virological failure with or without immunosuppressionrj received grants from viiv and msd and personal fees from gilead mn has received payment as a speaker travel grants and research grants from msd abbvie gilead viiv hetero and mylan da has acted as an adviser to gilead and viiv and received support to attend scientific meetings from gilead mbo has acted as a speaker or adviser to has been an investigator for or has received grants to her institution from gilead viiv janssen bms teva cipla mylan and msd mbr declares no competing interests", + "https://www.thelancet.com/", + "TRUE", + 0.10861865407319954, + 578 + ], + [ + "Bat virus? Bioweapon? What the science says about Covid-19 origins", + "speculation about the emergence of the new coronavirus is spreading almost as quickly as the pandemic scientists believe some pathways are more probable than others as the covid19 pandemic has infected its way through human populations around the globe it has been followed by a web of speculation about where the new coronavirus actually came from\nsome possibilities are scientific hypotheses based on genetic data while others borrow from dark conspiracy theories with little or no basis in fact\nlaboratory researchers have established solid genetic links between the new coronavirus known as sarscov2 and one found in a horseshoe bat in southeastern chinafurther genetic detective work and what is known about the evolution of past coronaviruses that have infected people indicates the pathogen may have passed through another animal species first there scientists believe it mutated or combined with another virus before finding its way into a human body latching onto cells and spreadingbut science has not stopped other theories from percolating one theory debunked last month by a genetic analysis by a group of the worlds top epidemiologists is that the virus was bioengineered in a laboratory in wuhan the pandemics first epicentre\nthe latest theory laid out in a recent article by the washington post has another spin on this the virus source could have been a researcher infected by a bat or the sloppy disposal of hazardous materials at a wuhan centre for disease control facility near the wet market linked to many early cases in the outbreakscientists are quick to acknowledge that when so little is known about the evolution of the new virus there are endless possibilities for its origins but they say groundless speculation is no help and point to the role played by probability in the emergence of new diseases what we do know about the coronavirus family points to other more likely paths of transmission to humansthese accident theories and the labmade theories before them reflect a lack of understanding of the genetic makeup of sarscov2 and its relationship to the bat virus said vincent racaniello a professor of microbiology and immunology at columbia university in\nif someone had that virus in the lab and say it escaped it would not have been able to infect humans the human sarscov2 has additional changes that allows it to infect humans he said adding that the bat virus would have had to circulate and evolve for a number of years before mutating enough to be able to infect people the bat virus in question was discovered by a group of researchers that included scientists from the wuhan institute of virology a leading institute which collaborates regularly with its counterparts around the world recent analysis by the wuhan researchers found a 96 per cent similarity between the bat virus and the overall genome of sarscov2but the new coronavirus has adaptations to its spike protein the part of the virus that binds to human cells never before seen in closely related bat coronaviruses that was the conclusion of another group of scientists who carried out a comprehensive genetic analysis of how sarscov2 compared with known viral sequences and submitted their findings last month to the journal nature medicine\ntheir paper addressed the possibility of an inadvertent laboratory release of the virus but gave several reasons why this was not the best explanation for how the deadly pathogen evolved its unique adaptations and entered the human populationone reason they gave was that it would have meant researchers had access to a coronavirus that was more like the one that causes covid19 than any other they had seen before the scientific community was not aware of any such virus the paper said meanwhile scientists stress that conditions in nature and the many ways humans come into contact with wildlife already provide a wide range of likely scenarios and pathways for how the virus first jumped to humansin a world where sarslike viruses are common in bats and other animals and bats are allowed to roost wherever they like why do we need to invent a laboratory and some sloppy human scientists to make the virus go from a bat to a human asked benjamin neuman professor of biological sciences at texas am universitytexarkanaexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humansexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humans\nexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humans\nas the covid19 pandemic has infected its way through human populations around the globe it has been followed by a web of speculation about where the new coronavirus actually came fromsome possibilities are scientific hypotheses based on genetic data while others borrow from dark conspiracy theories with little or no basis in factlaboratory researchers have established solid genetic links between the new coronavirus known as sarscov2 and one found in a horseshoe bat in southeastern chinafurther genetic detective work and what is known about the evolution of past coronaviruses that have infected people indicates the pathogen may have passed through another animal species first there scientists believe it mutated or combined with another virus before finding its way into a human body latching onto cells and spreading coronavirus march 2020 the month covid19 changed the world\nbut science has not stopped other theories from percolating one theory debunked last month by a genetic analysis by a group of the worlds top epidemiologists is that the virus was bioengineered in a laboratory in wuhan the pandemics first epicentre\nthe latest theory laid out in a recent article by the washington post has another spin on this the virus source could have been a researcher infected by a bat or the sloppy disposal of hazardous materials at a wuhan centre for disease control facility near the wet market linked to many early cases in the outbreak\n\n\n\nscientists are quick to acknowledge that when so little is known about the evolution of the new virus there are endless possibilities for its origins but they say groundless speculation is no help and point to the role played by probability in the emergence of new diseases what we do know about the coronavirus family points to other more likely paths of transmission to humans\ncoronavirus update\nget updates direct to your inbox\nemail\nsubscribe\nby registering you agree to our tc and privacy policy\nthese accident theories and the labmade theories before them reflect a lack of understanding of the genetic makeup of sarscov2 and its relationship to the bat virus said vincent racaniello a professor of microbiology and immunology at columbia university in new york\nif someone had that virus in the lab and say it escaped it would not have been able to infect humans the human sarscov2 has additional changes that allows it to infect humans he said adding that the bat virus would have had to circulate and evolve for a number of years before mutating enough to be able to infect people\none virus caused covid19 scientists say thousands more are in waiting\n7 apr 2020\n\nthe bat virus in question was discovered by a group of researchers that included scientists from the wuhan institute of virology a leading institute which collaborates regularly with its counterparts around the world recent analysis by the wuhan researchers found a 96 per cent similarity between the bat virus and the overall genome of sarscov2\nbut the new coronavirus has adaptations to its spike protein the part of the virus that binds to human cells never before seen in closely related bat coronaviruses\nthat was the conclusion of another group of scientists who carried out a comprehensive genetic analysis of how sarscov2 compared with known viral sequences and submitted their findings last month to the journal nature medicine\ntheir paper addressed the possibility of an inadvertent laboratory release of the virus but gave several reasons why this was not the best explanation for how the deadly pathogen evolved its unique adaptations and entered the human population\ncorona conspiracies politicians rush in where scientists fear to tread\n14 mar 2020\n\none reason they gave was that it would have meant researchers had access to a coronavirus that was more like the one that causes covid19 than any other they had seen before the scientific community was not aware of any such virus the paper said\nmeanwhile scientists stress that conditions in nature and the many ways humans come into contact with wildlife already provide a wide range of likely scenarios and pathways for how the virus first jumped to humans\nin a world where sarslike viruses are common in bats and other animals and bats are allowed to roost wherever they like why do we need to invent a laboratory and some sloppy human scientists to make the virus go from a bat to a human asked benjamin neuman professor of biological sciences at texas am universitytexarkana\nthe wildlife trade and the associated wet markets where live animals and their meat are sold has been pointed to as a likely platform for the emergence of sarscov2 this was the case in the sars outbreak caused by a coronavirus in 2003 where a bat virus is thought to have infected a civet cat which in turn infected humans at a wet marketlive wild animal markets such as the huge wet markets in china are ideal places for zoonotic virus emergence to occur andrew cunningham deputy director of science at the zoological society of london said pointing to the high number of animals from different species being kept closely together in overcrowded and unhygienic conditions\nwhile the wildlife trade creates interaction between humans and animals it also provides an opportunity for viruses to move through populations of animals mutating as it transmits through that population or for a virus to recombine in species unnaturally brought into contact with one anothera virus jumping from an animal and then being able to infect humans and spread is a rare event the proximity of a number of animals who can pass viruses between each other and come in regular contact with people can increase the chances of a virus emerging which is able to spread to humans experts say\nexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humans photo simon songexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humans photo simon song\nexperts say the conditions in wet markets increase the chances of a virus jumping from animals to humans photo simon song\nas the covid19 pandemic has infected its way through human populations around the globe it has been followed by a web of speculation about where the new coronavirus actually came from\nsome possibilities are scientific hypotheses based on genetic data while others borrow from dark conspiracy theories with little or no basis in fact\nlaboratory researchers have established solid genetic links between the new coronavirus known as sarscov2 and one found in a horseshoe bat in southeastern china\nfurther genetic detective work and what is known about the evolution of past coronaviruses that have infected people indicates the pathogen may have passed through another animal species first there scientists believe it mutated or combined with another virus before finding its way into a human body latching onto cells and spreading\n\ncoronavirus march 2020 the month covid19 changed the world\nbut science has not stopped other theories from percolating one theory debunked last month by a genetic analysis by a group of the worlds top epidemiologists is that the virus was bioengineered in a laboratory in wuhan the pandemics first epicentre\nthe latest theory laid out in a recent article by the washington post has another spin on this the virus source could have been a researcher infected by a bat or the sloppy disposal of hazardous materials at a wuhan centre for disease control facility near the wet market linked to many early cases in the outbreak\n\n\n\nscientists are quick to acknowledge that when so little is known about the evolution of the new virus there are endless possibilities for its origins but they say groundless speculation is no help and point to the role played by probability in the emergence of new diseases what we do know about the coronavirus family points to other more likely paths of transmission to humans\ncoronavirus update\nget updates direct to your inbox\nemail\nsubscribe\nby registering you agree to our tc and privacy policy\nthese accident theories and the labmade theories before them reflect a lack of understanding of the genetic makeup of sarscov2 and its relationship to the bat virus said vincent racaniello a professor of microbiology and immunology at columbia university in new york\nif someone had that virus in the lab and say it escaped it would not have been able to infect humans the human sarscov2 has additional changes that allows it to infect humans he said adding that the bat virus would have had to circulate and evolve for a number of years before mutating enough to be able to infect people\none virus caused covid19 scientists say thousands more are in waiting\n7 apr 2020\n\nthe bat virus in question was discovered by a group of researchers that included scientists from the wuhan institute of virology a leading institute which collaborates regularly with its counterparts around the world recent analysis by the wuhan researchers found a 96 per cent similarity between the bat virus and the overall genome of sarscov2\nbut the new coronavirus has adaptations to its spike protein the part of the virus that binds to human cells never before seen in closely related bat coronaviruses\nthat was the conclusion of another group of scientists who carried out a comprehensive genetic analysis of how sarscov2 compared with known viral sequences and submitted their findings last month to the journal nature medicine\ntheir paper addressed the possibility of an inadvertent laboratory release of the virus but gave several reasons why this was not the best explanation for how the deadly pathogen evolved its unique adaptations and entered the human population\ncorona conspiracies politicians rush in where scientists fear to tread\n14 mar 2020\n\none reason they gave was that it would have meant researchers had access to a coronavirus that was more like the one that causes covid19 than any other they had seen before the scientific community was not aware of any such virus the paper said\nmeanwhile scientists stress that conditions in nature and the many ways humans come into contact with wildlife already provide a wide range of likely scena saidwhile the outbreak of covid19 was centred around a wet market in wuhan several early patients did not have known links to that market according to reseach biology and immunology at columbia university in new york\nif someone had that virus in the lab and say it escaped it would not have been able to infect humans the human sarscov2 has additional changes that allows it to infect humans he said adding that the bat virus would have had to circulate and evolve for a number of years before mutating enough to be able to infect peopleone virus caused covid19 scientists say thousands more are in waiting 7 apr 2020 the bat virus in question was discovered by a group of researchers that included scientists from the wuhan institute of virology a leading institute which collaborates regularly with its counterparts around the world recent analysis by the wuhan researchers found a 96 per cent similarity between the bat virus and the overall genome of sarscov2but the new coronavirus has adaptations to its spike protein the part of the virus that binds to human cells never before seen in closely related bat coronavirusesthat was the conclusion of another group of scientists who carried out a comprehensive genetic analysis of how sarscov2 compared with known viral sequences and submitted their findings last month to the journal nature medicinetheir paper addressed the possibility of an inadvertent laboratory release of the virus but gave several reasons why this was not the best explanation for how the deadly pathogen evolved its unique adaptations and entered the human populationcorona conspiracies politicians rush in where scientists fear to tread 14 mar 2020one reason they gave was that it would have meant researchers had access to a coronavirus that was more like the one that causes covid19 than any other they had seen before the scientific community was not aware of any such virus the paper saidmeanwhile scientists stress that conditions in nature and the many ways humans come into contact with wildlife already provide a wide range of likely scenarios and pathways for how the virus first jumped to humansin a world where sarslike viruses are common in bats and other animals and bats are allowed to roost wherever they like why do we need to invent a laboratory and some sloppy human scientists to make the virus go from a bat to a human asked benjamin neuman professor of biological sciences at texas am universitytexarkanathe wildlife trade and the associated wet markets where live animals and their meat are sold has been pointed to as a likely platform for the emergence of sarscov2 this was the case in the sars outbreak caused by a coronavirus in 2003 where a bat virus is thought to have infected a civet cat which in turn infected humans at a wet marketlive wild animal markets such as the huge wet markets in china are ideal places for zoonotic virus emergence to occur andrew cunningham deputy director of science at the zoological society of london said pointing to the high number of animals from different species being kept closely together in overcrowded and unhygienic conditionswhile the wildlife trade creates interaction between humans and animals it also provides an opportunity for viruses to move through populations of animals mutating as it transmits through that population or for a virus to recombine in species unnaturally brought into contact with one another\na virus jumping from an animal and then being able to infect humans and spread is a rare event the proximity of a number of animals who can pass viruses between each other and come in regular contact with people can increase the chances of a virus emerging which is able to spread to humans experts say\nchina orders complete ban on trade in wildlife for food to combat coronavirus epidemic ultimately its a numbers game the more infected hosts you have the greater the chance that some sort of change in the virus could occur said gavin smith a professor in the emerging infectious diseases programme at dukenus medical school singapore infected in another locationscientific journal admits error to link coronavirus with china 10 apr 2020 it is also possible that humans could have been infected directly from bats as opposed to through an intermediary animal experts say\nbut there are other kinds of people living near or working with wildlife on a regular basis who could have been infected besides bat researchers according to racanielloa virus related to sarscov2 might have infected someone outside the city perhaps there were several short chains of infections before the virus reached wuhan one scenario that i like is that a farmer harvesting bat guano for fertiliser might have become infected he saidbut among the many question marks and unknowns researchers say it is too early to come to any conclusions about how the new coronavirus emerged wide retrospective testing of blood samples collected over years could provide more clues about whether similar or related viruses had been jumping over in humans unnoticed according to roy hall a professor of virology at the university of queensland in australia more animal testing could also help find a closer match to sarscov2its unhelpful to speculate if you dont have all the evidence hall said anything is possible but you have to look at the probability", + "https://www.scmp.com/", + "TRUE", + 0.09870394593416179, + 3345 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "Coronavirus symptoms: What are they and how do I protect myself?", + "loss of smell or taste have been added to the uks list of coronavirus symptoms that people should be aware of and ready to act uponwhat are the coronavirus symptomsscientific advisers told the uk government to update its advice it now says the symptoms to look out for area new continuous coughfeverloss of smell or tasteif you or someone you live with has any of these symptoms the advice is stay at home to stop the risk of giving coronavirus to othersthe cough is a new continuous one where you cough a lot for more than an hour or have three or more coughing episodes in 24 hours you have a fever if your temperature is above 378cthe us centers for disease control and preventions list of symptoms also includes chills repeated shaking muscle pain and sore throatit takes five days on average to start showing the symptoms but some people will get them much later the world health organization says incubation lasts up to 14 dayswhen do people need to go to hospitalthe majority of people with coronavirus will recover after rest and pain relief such as paracetamolthe main reason people need hospital treatment is difficulty breathingdoctors may scan the lungs to see how badly they are affected and give support such as oxygen or ventilation if neededhowever people should not go to ae if they are concerned in the uk the nhs 111 website will guide you through what to doif you are so breathless that you are unable to speak more than a few words you will be told to call 999 as this is a medical emergencyif you become so ill that youve stopped doing all of your usual daily activities then it will advise speaking to a nurse by dialling nhs 111what happens in intensive careintensive care units are specialist wards for people who are very illcoronavirus patients will get oxygen support which can involve using a facemask or a tube in the nosethe most invasive way for the most seriously ill patients is ventilation where air with increased levels of oxygen is pushed into the lungs via a tube in the mouth nose or through a small cut in the throatwhat should i do if i have mild symptomspatients with mild symptoms should selfisolate at home for at least seven dayspeople are advised not to ring nhs 111 to report their symptoms unless they are worried they should also not go to their gp or aedetails for scotland are to check nhs inform then ring your gp in office hours or 111 outofhours in wales call nhs 111 and in northern ireland call your gp\nif you have come into contact with somebody who may be infected you may be told to selfisolatethe world health organization has also issued advice for the publicolder people and those with preexisting medical conditions such as asthma diabetes heart disease high blood pressure are more likely to become severely ill men are at slightly higher risk of dying from the virus than womenwork to develop a vaccine is under way how do i protect myselfthe best thing is regular and thorough hand washing preferably with soap and watercoronavirus spreads when an infected person coughs or sneezes small droplets packed with the virus into the air these can be breathed in or cause an infection if you touch a surface they have landed on then your eyes nose or mouthso coughing and sneezing into tissues not touching your face with unwashed hands and avoiding close contact with infected people are important\npeople will be most infectious when they have symptoms but some may spread the virus even before they are sickin england and scotland people are being advised to wear face masks in shops and on public transport to help prevent the spread of the virus", + "https://www.bbc.com/", + "TRUE", + 0.06633544749823819, + 637 + ], + [ + "Which Covid-19 drugs work best?", + "results are in from the first organized trials of drugs to treat covid19 but so far theres no cure as the new respiratory disease spread widely starting in january doctorsfirst in china and then in the us italy and franceall moved to test readily available drugs that are used for other purposes and are fairly safe now just three months into the pandemic the first medical results from organized trialsstudies structured to measure whether a drug actually helpsare becoming public we count three so far all involving drugs with antiviral properties patients who end up in the icu are begging for whatever treatment they can get and demand for drugs will skyrocket in the us not only is the number of confirmed cases now over 35000 but this week twice that many or more will likely feel the onset of typical symptoms like cough fever and shortness of breathso far there is no approved medicine for covid19 so the main treatment for severe cases isnt drugs at allits oxygen therapy ventilators that help people breathe and supportive care some patients get standard antibiotics overall scores of drug studies are under way checking the benefits of everything from vitamin c to chinese traditional medicine a list of trials compiled by celltrialsorg a consultancy found that doctors had registered over 250 covid19 studies mostly in china and were seeking to recruit 26000 patients it may be another month before some other large important studies like several involving the experimental antiviral remdesivir made by the us company gilead are ready to report any findings here are the facts about the drug studies published so far chloroquine or hydroxychloroquine\nthe hype president donald trump praised the malaria drug saying it had shown tremendous promise against covid19 i think its going to be very exciting he said i think it could be a gamechanger and maybe notthe report hydroxychloroquine and azithromycin as a treatment of covid19 results of an openlabel nonrandomized clinical trial the data during early march french doctors at ihuméditerranée infection in marseille france treated covid19 patients with hydroxychloroquine a version of the 90yearold malaria drug chloroquine they tried giving 200 milligrams of hydroxychloroquine three times per day over 10 days to 26 patients and some got the antibiotic azithromycin too in their report treated patients had less virus in their system after six days than other patients at a different center who didnt get the treatment the studys conclusions arent firm because so few patients were involved and the study was not rigorously designed although chloroquine has also been tried in china with rumors of success so does the drug work scientists say theres not enough evidence to say anecdotal reports may be true but they are anecdotal anthony fauci head of the national institute of allergy and infectious diseases said during a briefing at the white house it was not done in a controlled clinical trial so you really cant make any definitive statement about it in the absence of other options governor andrew cuomo of new york said his state now a global epicenter of covid19 had obtained 70000 doses of hydroxychloroquine and 750000 doses of chloroquine as well as azithromycin also called zithromax the trial will start this tuesday said cuomo over the weekend there is a good basis to believe they could work the president ordered the fda to move and the fda moved chloroquine has risks because it can affect heart rhythm no one should take it without a prescription favipiravir the hype news reports last week claimed chinese officials had touted this antiviral medicine made in japan as clearly effective the report favipiravir versus arbidol for covid19 a randomized clinical trial the data while favipiravir an antiviral made by toyama chemical part of fuji film generated hopeful headlines the report from doctors at chinas wuhan university makes more modest claims they organized a study of 240 ordinary patients meaning they had pneumonia but were not the worst cases around hubei province half got favipiravir and half got umifenovir or arbidol an antiviral used in russia and they were watched to see which group recovered faster the doctors found that patients fevers and coughs went away faster on favipiravir but similar numbers in each group ended up needing oxygen or a ventilator on the basis of these findings they concluded that favipiravir is the preferred of the two drugs\nfavipiravir which is known by the trade name avigan in japan inhibits viruses from copying their genetic material it was originally discovered while searching for drugs to treat influenza lopinavir and ritonavir the hype doctors reached into the cabinet of advanced antihiv medications hoping for a quick successthe report a trial of lopinavirritonavir in adults hospitalized with severe covid19 the data this is the largest bestorganized study of a treatment for covid19 so far but it didnt find a benefit in january doctors in china randomly assigned 199 patients with pneumonia either to get the hiv medicines lopinavir and ritonavir twice a day for two weeks or to receive only standard care then they watched to see who improved or got discharged from the hospital unfortunately no benefit was seen from the treatment nearly 20 of the patients died the team wonders if the drug combo sold in the us by abbvie to treat hiv infection under the trade name kaletra could still prove beneficial for less sick patients the key drug here is lopinavir a protease inhibitor which has been shown in lab and animal tests to have effects against middle east respiratory syndrome coronavirus or mers ritonavir acts to increase the first drugs availability in the body", + "https://www.technologyreview.com/", + "TRUE", + 0.09335730724971227, + 941 + ], + [ + "Riding the coronacoaster of uncertainty", + "among all the reports modelling and desktop exercises in the past decade devoted to preparing for the next pandemic when covid19 spread worldwide some of the consequences had surely never been predicted scientists who were barely known outside a narrow academic circle are now household names lauded and vilified in turn in the press and on social media twitter subscribers who until a few months ago were apparently experts in european relations or constitutional law are now skilled infectious diseases epidemiologists the accretion of new knowledge takes place via tweets political grandstanding gross misinterpretation of preprints and media briefings in the absence of scrutinisable data we are witness to the unedifying spectacle of highly respected scientists left squirming as they are subject to the dangerous ramblings of politicians desperate to rescue themselves from their own incompetence politically inspired crank conspiracy theories abound as to the origin of severe acute respiratory syndrome coronavirus 2 sarscov2 perhaps more predictably the steps taken by national governments to mitigate covid19 are simultaneously criticised as underreactions and overreactions and as these policies have their desired effect the premature clamour for a return to normal grows ever louder\nwhereas policy decisions in response to covid19 are labelled as being guided by the science there are many aspects of this disease that affect policy where scientific consensus has yet to form for example there has been much discussion of whether immunity from natural infection will protect against repeat infections experience with other coronaviruses suggests that although protective immunity does develop it also wanes if true for sarscov2 the effect on policy around socalled immunity passports is unclear at the very least people who can go about their business because of their immune status will need to be retested frequentlythe value of wearing face masks remains unclear in our view as part of the relaxing of physical distancing restrictions governments are recommending face covering while on public transport or shopping given that we can be confident that domestic and workplace settings are more likely venues for virus transmission than travel or casual urban contact then logically advice to wear facial covering while travelling to work should extend to the workplace itselfmany governments have implemented school closures as part of the pandemic response the contribution of this measure to transmission control relative to other policies is fiercely disputed staged carefully monitored reopening of schools might be necessary to gather information to guide longterm policywhat was predicted from previous outbreaks is the effect that the response to covid19 is having on management of other diseases in our may issue we reported that the pandemic has disrupted both routine and mass vaccination campaigns in some lowincome and middleincome countries and the same is now happening with infant immunisation in the usa and the uk a recent report estimates that compared with a scenario of no pandemic the demands that the covid19 response puts on health systems will increase deaths by up to 10 for hiv 20 for tuberculosis and 36 for malaria over 5 years in highburden settings the pandemic response is already affecting care for noncommunicable diseases and the resultant economic downturn will have chronic longterm health effects with mental health perhaps worst affectedpolicy responses must account for scientific uncertainties while at the same time balancing the demands that covid19 puts on healthcare resources with the longterm economic and health effects of pandemic control measures among industrialised densely populated countries germany and south korea in particular have been praised for their responses to covid19 which have been based on widespread testing contact tracing and isolation but the virus has not gone away in these placesthere are worrying signs of an increase in cases as restrictions are eased the percentage of the global population that is immune from exposure to the disease is probably still in single figures future outbreaks are almost inevitable\na reshaping of policy is required that accounts for a reluctantly forming consensus that we must plan for covid19 over years rather than months even with an effective vaccine in the next year global rollout will take at least as long again policies must be internationally coordinated as who has called for since the disease first appeared and must recognise that neither abandoning control nor eternal lockdown are healthy options", + "https://www.thelancet.com/", + "TRUE", + 0.022668141037706247, + 712 + ], + [ + "How long does it take to show symptoms?", + "typically between five and seven days allowing the illness to go undetectedthe time it takes for symptoms to appear after a person is infected can be vital for prevention and control known as the incubation period this time can allow health officials to quarantine or observe people who may have been exposed to the virus but if the incubation period is too long or too short these measures may be difficult to implementsome illnesses like influenza have a short incubation period of two or three days people may be shedding infectious virus particles before they exhibit flu symptoms making it almost impossible to identify and isolate people who have the virus sars had an incubation period of about five days and it took four or five days after symptoms started before sick people could transmit the virus that gave officials time to stop the virus and effectively contain the outbreak\nofficials at the centers for disease control and prevention estimate that the new coronavirus has an incubation period of two to 14 days when symptoms do start to appear they can include fever cough and difficulty breathing or shortness of breathbut mild cases may simply resemble the flu or a bad cold and people may be able to pass on the new coronavirus even before they develop obvious symptoms\nthat concerns me because it means the infection could elude detection said dr mark denison an infectious disease expert at vanderbilt university in nashville tenn", + "https://www.nytimes.com/", + "TRUE", + -0.0936210847975554, + 244 + ], + [ + "Where can I get tested?", + "if you are feeling ill with covid19 symptoms such as fever cough difficulty breathing muscle pain or general weakness it is recommended that you contact your local healthcare services online or by telephone if your healthcare provider believes there is a need for a laboratory test for the virus that causes covid19 heshe will inform you of the procedure to follow and advise where and how the test can be performed", + "https://www.ecdc.europa.eu/", + "TRUE", + -0.11249999999999999, + 71 + ], + [ + "How long can the coronavirus stay airborne? I have read different estimates.", + "a study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020", + "https://www.health.harvard.edu/", + "TRUE", + 0.13636363636363635, + 72 + ], + [ + "Experiment shows human speech generates droplets that linger in the air for more than 8 minutes", + "ordinary speech can emit small respiratory droplets that linger in the air for at least eight minutes and potentially much longer according to a study published wednesday that could help explain why infections of the coronavirus so often cluster in nursing homes households conferences cruise ships and other confined spaces with limited air circulationthe report from researchers at the national institute of diabetes and digestive and kidney diseases and the university of pennsylvania was published in the proceedings of the national academy of sciences a peerreviewed journal it is based on an experiment that used laser light to study the number of small respiratory droplets emitted through human speechthe answer a lothighly sensitive laser light scattering observations have revealed that loud speech can emit thousands of oral fluid droplets per second the report statesprevious research has shown large outbreaks of coronavirus infections in a call center in south korea where workers were in proximity and in a crowded restaurant in china and such events have led some experts to suspect that the highly contagious virus can spread through small aerosol droplets that remains the subject of research and debate and for now the consensus among infectious disease experts is the virus is typically spread through large respiratory dropletsthis new study did not involve the coronavirus or any other virus but instead looked at how people generate respiratory droplets when they speak the experiment did not look at large droplets but instead focused on small droplets that can linger in the air much longer these droplets still could potentially contain enough virus particles to represent an infectious dose the authors saidsign up for our coronavirus updates newsletter to track the outbreak all stories linked in the newsletter are free to accesslouder speech produces more droplets they note the paper estimates that one minute of loud speaking generates at least 1000 virioncontaining droplet nuclei that remain airborne for more than eight minutesthis direct visualization demonstrates how normal speech generates airborne droplets that can remain suspended for tens of minutes or longer and are eminently capable of transmitting disease in confined spaces the authors writea video showing the laser experiment was circulating early last month through social media even as public health officials were weighing whether to recommend that people wear facial coverings at the time the national institutes of health cautioned that the research was very preliminary and should not be relied upon as a basis for public health measuressoon thereafter however the centers for disease control and prevention recommended facial coverings in public places where social distancing could not easily be maintainedthis study is the most accurate measure of the size number and frequency of droplets that leave the mouth during a normal conversation and shower any listeners within range said benjamin neuman a virologist at texas am universitytexarkana who was not involved in the researchthis study doesnt directly test whether the virus can be transmitted by talking but it builds a strong circumstantial case that droplets produced in a normal close conversation would be large enough and frequent enough to create a high risk of spreading sarscov2 or any other respiratory virus between people who are not wearing face masks neuman saidspeech creates droplets that breathing alone does not that much is clear said andrew noymer a university of california at irvine epidemiologist who also was not part of the new research big mouths of the world beware youre putting the rest of us at risk", + "https://www.washingtonpost.com/", + "TRUE", + 0.06592764378478663, + 576 + ], + [ + "Are there any specific medicines to prevent or treat the new coronavirus?", + "to date there is no specific medicine recommended to prevent or treat the new coronavirus 2019ncov however those infected with the virus should receive appropriate care to relieve and treat symptoms and those with severe illness should receive optimized supportive care some specific treatments are under investigation and will be tested through clinical trials who is helping to accelerate research and development efforts with a range or partners", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.22727272727272724, + 68 + ], + [ + "What temperature kills the virus that causes COVID-19?", + "generally coronaviruses survive for shorter periods at higher temperatures and higher humidity than in cooler or dryer environments however we dont have direct data for this virus nor do we have direct data for a temperaturebased cutoff for inactivation at this point the necessary temperature would also be based on the materials of the surface the environment etc regardless of temperature please follow cdcs guidance for cleaning and disinfection", + "https://www.cdc.gov/", + "TRUE", + 0.125, + 69 + ], + [ + "Is there an antiviral treatment for COVID-19?", + "currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.11499999999999999, + 34 + ], + [ + "Drug inspired by an old treatment could be the 'next big thing for Covid-19'", + "at least five us teams have cloned antibodies to covid19 paving the way for cuttingedge treatments that could be what one researcher calls an immunity bridge before a vaccine comes alongthe treatment is monoclonal antibody therapy and the antibodies come from people who have recovered from the novel coronavirus researchers then take the blood select the most potent antibodies and make them into a drugone company regeneron pharmaceuticals hopes to have a treatment available to patients as early as the end of the summeri think monoclonal antibody therapy has enormous promise as the next big thing for covid19 said dr peter hotez a vaccine specialist at baylor university school of medicine who is not involved in the researchmonoclonal antibody therapy is a modern take on convalescent plasma where someone who has recovered from coronavirus donates blood to someone who is currently illeven if convalescent plasma is effective its still being studied it has two shortcomingsfirst one person can only give so much blood second the donor might not have enough strong antibodies for the blood donation to be effectiveto develop a monoclonal antibody treatment researchers cull through thousands of antibodies to find the best ones and then clone them potentially in unlimited amountsmany other illnesses are treated with monoclonal antibodies such as various forms of cancer hiv asthma lupus multiple sclerosis and various forms of cancer but of course theres no guarantee it could work for covid19one of the things about the search is its a little bit like finding a needle in a haystack were all searching for the magical antibody thats a silver bullet said dr james crowe whos leading the covid19 monoclonal antibody effort at vanderbilt university medical centerregeneron is hoping to start clinical trials for an antibody treatment for coronavirus in humans as soon as next month and if everything goes right perhaps have a treatment ready for widespread distribution by the end of the summerwe generated thousands of antibodies and then selected the most powerful and potent ones to grow up into an antibody cocktail said company president dr george yancopouloslike any treatment under development it might not pan out but if it does it could treat coronavirus and possibly also prevent infection for a period of timea vaccine would likely offer longer lasting immunity but that would likely take longer to develop with the earliest estimates set at january\ni think antibodies will be finished first and will be the bridge toward longer immunity which will be conferred by vaccines said crowe director of the vanderbilt vaccine center at vanderbilt university medical centera guided nuclear warhead in midjanuary researchers at the rockefeller university in new york city heard from the national institutes of health get to work because we hope to have coronavirus antibodies cloned by the springabout two months later rockefeller researcher jill horowitz found herself handing out fliers outside a supermarket in new rochelle new york inviting people whod recovered from coronavirus to learn more about the rockefeller studythe city and in particular one synagogue had been hit hard by a coronavirus outbreakim jewish and im orthodox and i know people at young israel i have friends in new rochelle our kids went to school together so i could go into the community and make my case said horowitz executive director of strategic operations in the immunology laboratory at rockefeller\nin all more than 100 people donated blood for the study many of them from the new rochelle community some of their stories will be told in an upcoming documentary rebel blood the race to cure covid19the lead scientist in rockefellers monoclonal antibody effort compares it to battle noting that convalescent plasma has been used for more than a centuryif youre thinking about a war and youre fighting a war with a drug that came out of the early part of the 20thcentury the monoclonal antibody is like a guided nuclear warhead in comparison said dr michel nussenzweig a professor at rockefellerresearch by several us teamsseveral other us teams also say theyve cloned antibodies including vanderbilt regeneron lilly pharmaceuticals and distributed bioregeneron anticipates starting clinical trials next month and hopes to provide hundreds of thousands of doses to patients by the end of the summer yancopoulos saidthe company already makes monoclonal antibodies for several illnesses including cancer arthritis and asthmawere using the same exact technology now to come up with a specific tailored approach against covid19 yancopoulos saidother companies gave a longer timeline for example crowe the doctor at vanderbilt said he anticipates it will be around the first quarter of next year before his team might have a covid monoclonal antibody treatment ready to distributehe said its a good sign that several teams are working on monoclonal antibodiesi think the more groups we have working on it all the better and the more shots on goal we have for getting an effective prevention or treatment he said", + "https://www.cnn.com/", + "TRUE", + 0.15795088920088918, + 816 + ], + [ + "I'm taking a medication that suppresses my immune system. Should I stop taking it so I have less chance of getting sick from the coronavirus?", + "if you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medication", + "https://www.health.harvard.edu/", + "TRUE", + 0.38333333333333336, + 75 + ], + [ + "What is COVID-19?", + "covid19 is the infectious disease caused by the most recently discovered coronavirus this new virus and disease were unknown before the outbreak began in wuhan china in december 2019 covid19 is now a pandemic affecting many countries globally", + "https://www.who.int/", + "TRUE", + 0.17272727272727273, + 38 + ], + [ + "Handicapping The Most Promising Of 267 Potential Coronavirus Cures", + "last september gallup released an opinion poll that surveyed americans views of us businesses ranking 25 different sectors from very positive to very negative the pharmaceutical industry came in dead last lower than at any time since gallup started the poll in 2001were below congress below bankers below tobacco lamented ken frazier chief executive of drug giant merckwhat a difference a global pandemic makestoday the world is depending upon the pharmaceutical industry to not only save lives but economies around the world at this very moment pharmaceutical companies and biotech startups from san francisco and boston to tianjin tokyo and galilee are staging a multifront battle against the novel coronavirus akin to the sea land and air assault conducted by the allies against nazi germany on dday during world war iithere are no fewer than 267 different covid19 remedies in development according to an analysis by umer raffat a senior managing director of investment bank evercore isi with more experimental treatments being added almost daily this includes testing drugs already available but designed for other ailments new experimental therapeutics and vaccines that are being developed from scratchthe attack against coronavirus is coming from all sides there are synthetic peptidebased vaccines consisting of two or more linked amino acids created in a lab to immunize against the virus there are so called nucleic acid vaccines genetically engineered from dna or rna sequences of the pathogen antiviral medications similar to tamiflu that target the virus itself there are new remedies using existing arthritis drugs to contain the immune system which sometimes inadvertently kills patients as it unleashes its force on covid19 underlying the multitude of efforts underway is the reality that most drugs in development are ultimately unsuccessfula lot of companies are doing the rational thing testing therapies already in their pipeline which have a plausible mechanism of action we need to get drugs into clinical trials rapidly so we can quickly learn and double down behind promising results and follow the winners says vivek ramaswamy ceo of roivant sciences a drug development firm that acquires hidden gems among forgotten drugs in the pharmaceutical pipelinesthe idea is to find the best horse in each of the categories antivirals plus host immune response modulation makes a lot of sense but we need to find the best therapeutic in each category for the right patient population says ramaswamy who studied biology at harvard was a hedge fund analyst and earned a yale law degree before he began building his innovative biotech firm in 2015 for antivirals is it a nucleoside or an antimalarial which prevents viral propagation in a different way for immune response modulation is it antiil6 or antigmcsf the answer may differ by patient population lets sort those questions out quicklyramaswamy says that its difficult to have a national strategy for the coronavirus predicated on a vaccine that would provide immunity to covid19 because it will take a year to a yearandahalf optimistically to have something ready for use on a national scale but if latency occurs and the coronavirus becomes a perennial problem akin to the seasonal flu vaccines will be importantsanofis vaccine unit is partnering with the federal governments biomedical advanced research and development authority piggybacking off work that was done on a sars vaccine and its recombinant vaccine program but sanofi doesnt expect trials in patients for about a yearandahalfjohnson johnson has been working on covid19 vaccines since january in late march it announced its janssen unit would be pushing forward a candidate in a 1 billion partnership with the federal government with the goal of rapidly supplying more than one billion doses jj says its vaccine should be in human trials by september and that first batches could be used for frontline medical workers by early 2021cambridge massachusetts biotech moderna therapeutics also signed a partnership deal with the federal governments barda it claims that it may be able to shorten the relatively long development time for a vaccine like ebola and measles covid19 is an rna virus meaning it has no dna but instead uses the hosts cells to replicate itself moderna specializes in developing drugs based on rna in this case it is attempting to give messenger rna the cellular machinery to make proteins that generate an immune response in the body creating antibodies that could protect against the virus itself by the middle of march moderna started testing its rnabased vaccine in low doses in people in seattlemodernas billionaire ceo stephané bancel says his companys vaccine could be available to medical workers as early as this fall in fact bancel is so eager to speed up the process and confident about modernas vaccine that the company is already dipping into corporate funds to gear up and prepare materials for later stage clinical trials even though it hasnt cleared its first hurdle the issue with the messenger rna approach is that it was initially designed to be used in much more targeted and small scale situations like cancer and rare diseases as opposed to infectious disease in fact an mrna vaccine has never even been approved by the fda if modernas vaccine is effective manufacturing enough rna to provide immunity for hundreds of millions could be a challenge still bancel insists that moderna could produce millions of doses by the fallwe need to practice some measure of social distancing until we have vaccines says peter kolchinsky cofounder of 4 billion biotech hedge fund ra capital management and author of the great american drug deal a new prescription for innovation and affordable medicineskolchinsky doesnt expect any largescale vaccines until the first half of 2021 at earliest as a result he thinks all establishments that rely on public gathering should remain closed until then from restaurants and sporting events to subways and maybe even schools well know if any of the first wave of vaccines are working during the june to october 2020 window we can make better predictions as we see that data roll out kolchinksy says he thinks the mrna vaccine could become available by the end of 2020 but it will likely require multiple doses per patient which could translate into hundreds of millions of doses needed per month says kolchinksy im keeping an eye on vaccines that could take just one dose to work which could be the case for jjs vaccine another important and perhaps more pressing front in the war against covid19 is therapeutics because they promise to have an immediate impact on people already afflicted by the influenza as well as tamp down the impact of an expected second wave of the pandemic former fda commissioner scott gottlieb is urging the federal government to set up robust partnerships with companies working on therapeutics just as it has with the vaccine makerskolchinsky says its too early to tell which of the many therapeutics being tested will work but he expects drug combinations will emerge he adds some drugs might start to be available by fall to treat the most serious cases and that doctors might alter the way available drugs like antimalarial remedy chloroquine or hydroxychloroquine are used as fresh data on their efficacy become available hydroxychloroquine is already being used in some hospitals in combination with antibiotic azithromycin often used for bacterial infections like strep throat and bronchitis kolchinsky says that the attention being given to the malarial drugs is warranted because the drugs have shown some efficacy in preclinical invitro work so far the early studies in people have been mixed but it appears they may work better if someone infected with sarscov2 receives it early in treatment much the way tamiflu is administered the trouble is coronavirus can have mild symptoms often ignored initially until it suddenly gets much worse malarial drugs like hydroxychloroquine require a prescription so by the time they are prescribed by a physician their efficacy against covid19 could be diminishedin japan fujifilm holding subsidiary toyama chemicals antiviral favipiravir also known as avigan is showing promise in reducing the severity and duration of covid19 in a limited test of patients from china those treated with favipiravir which was approved as an antiviral for use in japan in 2014 tested negative for the virus after four days compared to the 11 days it took the control group to recover gileads antiviral remdesivir has shown preclinical promise but it needs to be administered early and intravenously the concern is that people infected with sarscov2 might get it too late in the cycle results from some of remdesivirs clinical trials are expected as early as this monthdavid witzke comanaging partner of avidity partners a biotech and healthcare hedge fund firm points to rheumatoid arthritis drugs that inhibit the proinflammatory protein known as cytokine il6 as being potentially promising for covid19 patients in later stages often in icu units and on ventilatorsthese drugs could be effective in reducing the risk of a cytokine storm of the bodys immune system cytokines are molecules that signal cells to marshal an immune response in some covid19 cases particularly younger patients the overzealous molecules actually cause the immune system to not only vanquish the virus but go on to attack organs like the lungs and liver causing failures and ultimately death sanofi and regenerons kevzara are working on a therapeutic designed to prevent such cytokine stormsantiinflammatory drugs the il6 antibodies like actemra at roche and the products at regeneron seem to be helpful in patients when their lungs get full of inflammation says witzke these are drugs on the market today so they are available and if they are helping these late stage patients that will be a benefit we are more optimistic about those drugs another set of remedies known as jak inhibitors reduce il6 antibodies but also attack a whole host of other proinflammatory cytokines jakafi and barticinib are two arthritis drugs in development by delaware biotech firm incyte and pharmaceutical giant eli lilly that are now being studied jak inhibitors are riskier because they offer a broad attack akin to firing a shotgun rather than a rifle at the problem but the jak inhibitors could also diminish the risk of a cytokine storm data on jak inhibitor effectiveness on covid19 should be available by summer roivants gimsilumab targets another cytokine gmcsf which has been identified as causing severe respiratory distress for covid19 patients in china who required intensive careanother hotbed for coronavirus cures are monoclonal antibodies which are antibodies that bind to the spike proteins of covid19 and ultimately neutralize it monoclonal antibodies can be cloned from blood plasma and regeneron is a leader in this effort for the novel coronavirus it has cloned antibodies from the blood of mice which have been infected and recovered from the disease if regenerons new treatment proves effective in clinical trials it could be available by the fall this could be a game changer because monoclonal antibodies can be used both as a cure for infected patients as well as a kind of vaccine for the general population depending on the halflife of the monoclonal antibody a person could have coverage for up to a month which could be very useful for those with a family member who has come down with an infection regeneron which is selecting two antibodies for its covid19 cocktail treatment is following the playbook that worked for it against the ebola epidemic in the congoregeneron is one of the best protein engineering companies in the world and they have one or more monoclonal antibodies what is very encouraging is the virus does not appear to be mutating at any great rate says witzkeeli lilly and san franciscos vir biotechnology are also using monoclonal antibodies to create their cure but they are harvesting their antibodies from human patients who have survived covid19 antibodies naturally produced against the virus are being engineered into a remedy that the companies hope to mass produce vir said in march that it has identified multiple human monoclonal antibody development candidates that effectively thwart the virus and anticipates that human trials could begin within three to five monthsin a way vir and eli lilly are putting a modern spin on treatment that has been around for more than a centuryusing plasma and its antibodies from patients who have recovered from a viral infection and giving it to patients infected with the virus in fact using convalescent plasma for treatment was effective against diptheria in the 1890s and scarlet fever in the 1920s what drug companies like vir and eli lilly are doing today is much more targeted because their researchers are actually picking out the specific antibodyin the meantime us blood donation centers are already ramping up efforts to collect plasma from recovered coronavirus patients the oldfashioned way while the efficacy of such efforts is still being studiedif i was a patient i would be interested in it its a quick way to get antibodies from survivors into you and you can do that immediately says witzke noting that he is an investor with no training in medicine i would rather have a more targeted approach like what regeneron is doing but if youre in a tough place today i would turn to plasma immediately", + "https://www.forbes.com/", + "TRUE", + 0.14518003697691204, + 2198 + ], + [ + "Symptoms of Coronavirus", + "reported illnesses have ranged from mild symptoms to severe illness and death for confirmed coronavirus disease 2019 covid19 cases these symptoms may appear 214 days after exposure based on the incubation period of merscov viruses fever cough shortness of breath if you develop emergency warning signs for covid19 get medical attention immediately emergency warning signs include trouble breathing persistent pain or pressure in the chest new confusion or inability to arouse bluish lips or face this list is not all inclusive please consult your medical provider for any other symptoms that are severe or concerning", + "https://www.cdc.gov/", + "TRUE", + 0.07781385281385282, + 95 + ], + [ + "How much have infected people traveled?", + "enough to spread the outbreak all over the worldwuhan was a difficult place to contain an outbreak it has 11 million people more than new york city on an average day 3500 passengers take direct flights from wuhan to cities in other countries these cities were among the first to report cases of the virus outside chinawuhan is also a major transportation hub within china linked to beijing shanghai and other major cities by highspeed railways and domestic airlines in october and november of last year close to two million people flew from wuhan to other places within chinachina was not nearly as well connected in 2003 during the sars outbreak large numbers of migrant workers now travel domestically and internationally to africa other parts of asia and latin america where china is making an enormous infrastructure push with its belt and road initiative this travel creates a high risk for outbreaks in countries with health systems that are not equipped to handle them like zimbabwe which is facing a worsening hunger and economic crisisover all china has about four times as many train and air passengers as it did during the sars outbreak in january china took the unprecedented step of imposing travel restrictions on tens of millions of people living in wuhan and nearby cities some experts questioned the effectiveness of the lockdown and wuhans mayor acknowledged that five million people had left the city before the restrictions began in the runup to the lunar new year\nyou cant board up a germ a novel infection will spread said lawrence o gostin a law professor at georgetown university and director of the world health organization collaborating center on national and global health law it will get out it always doesseveral countries including italy iran and south korea are already discovering clusters of cases with no clear ties to the outbreaks epicenter in china on feb 26 the cdc also reported what it called possibly the first case of community spread in the united states", + "https://www.nytimes.com/", + "TRUE", + 0.05877461248428989, + 336 + ], + [ + "Can I Boost My Immune System?", + "fears about coronavirus have prompted online searches and plenty of misinformation about how to strengthen the immune system heres what works and what doesntas worries grow about the new coronavirus online searches for ways to bolster the immune system have surged are there foods to boost your immune system will vitamins helpthe immune system is a complex network of cells organs and tissues that work in tandem to protect the body from infection while genetics play a role we know from studies of twins that the strength of our immune system is largely determined by nonheritable factors the germs we are exposed to over a lifetime as well as lifestyle factors like stress sleep diet and exercise all play a role in the strength of our immune responsethe bottom line is that there is no magic pill or a specific food guaranteed to bolster your immune system and protect you from the new coronavirus but there are real ways you can take care of yourself and give your immune system the best chance to do its job against a respiratory illnesslower your stress worries about the coronavirus the stock market and the general disruption of life have added to our stress levels but we know that stress also can make you more susceptible to respiratory illnessin a series of remarkable studies over 20 years at carnegie mellon university volunteers were exposed to the cold virus using nose drops and then quarantined for observation the researchers found that people who reported less stress in their lives were less likely to develop cold symptoms another series of studies at ohio state university found that marital conflict is especially taxing to the immune system in a series of studies the researchers inflicted small wounds on the arms of volunteers and then asked couples to discuss topics both pleasant and stressful when couples argued their wounds took on average a full day longer to heal than after the sessions in which the couples discussed something pleasant among couples who exhibited especially high levels of hostility the wounds took two days longer to healthe bottom line your body does a better job fighting off illness and healing wounds when its not under stress learning techniques for managing stress like meditation controlled breathing or talking to a therapist are all ways to help your immune system stay strong\nimprove your sleep habits a healthy immune system can fight off infection a sleepdeprived immune system doesnt work as well in one surprising study researchers found 164 men and women willing to be exposed to the cold virus not everyone got sick but short sleepers those who regularly slept less than six hours a night were 42 times more likely to catch the cold compared with those who got more than seven hours of sleep researchers found risk was even higher when a person slept less than five hours a nightthe bottom line focusing on better sleep habits is a good way to strengthen your immune system the sweet spot for sleep is six to seven hours a night stick to a regular bedtime and wakeup schedule avoid screens nighteating and exercise right before bedtimecheck your vitamin d level while more study is needed on the link between vitamin d and immune health some promising research suggests that checking your vitamin d level and taking a vitamin d supplement could help your body fight off respiratory illness in one study of 107 older patients some patients took high doses of vitamin d while others were given standard doses after a year the researchers found that people in the highdose group had 40 percent fewer respiratory infections over the course of the year compared to those on the standard dose a more recent analysis of 25 randomized controlled trials of 11000 patients showed an overall protective effect of vitamin d supplementation against acute respiratory tract infections the data arent conclusive and some studies of vitamin d havent shown a benefitwhy would vitamin d lower risk for respiratory illness our bodies need adequate vitamin d to produce the antimicrobial proteins that kill viruses and bacteria if you dont have adequate vitamin d circulating you are less effective at producing these proteins and more susceptible to infection says dr adit ginde professor of emergency medicine at the university of colorado school of medicine and the studys lead author these proteins are particularly active in the respiratory tractits important to note that there are no clinical recommendations to take vitamin d for immune health although the standard recommendation for bone health is for 600 to 800 international units per day that is the level found in most multivitamins in the study of respiratory illness and vitamin d the dose was equivalent to about 3330 international units dailyvitamin d can be found in fatty fish such as salmon and in milk or foods fortified with vitamin d in general our vitamin d levels tend to be influenced by sun exposure skin tone and latitude people in northern areas who get less sun exposure in the winter typically have lower vitamin d a blood test is required to check vitamin d levels less than 20 nanograms per milliliter is considered deficient above 30 is optimalthe bottom line if you are concerned about immune health you may consider having your vitamin d level checked and talking to your doctor about whether to take a supplementavoid excessive alcohol consumption numerous studies have found a link between excessive alcohol consumption and immune function research shows people who drink in excess are more susceptible to respiratory illness and pneumonia and recover from infection and wounds more slowly alcohol alters the number of microbes in the gut microbiome a community of microorganisms that affect the immune system excessive alcohol can damage the lungs and impair the mucosal immune system which is essential in helping the body recognize pathogens and fight infection and its not just chronic drinking that does damage binge drinking can also impair the immune systemthe bottom line a cocktail or glass of wine while you are sheltering in place during coronavirus is fine but avoid drinking to excess the current us dietary guidelines for americans recommend that alcohol should be consumed only in moderation up to one drink per day for women and two drinks per day for men\neat a balanced diet exercise and skip unproven supplements a healthful diet and exercise are important to maintaining a strong immune system however no single food or natural remedy has been proven to bolster a persons immune system or ward off disease but that hasnt stopped people from making specious claims a recipe circulating on social media claims boiled garlic water helps other common foods touted for their immuneboosting properties are ginger citrus fruits turmeric oregano oil and bone broth there are small studies that suggest a benefit to some of these foods but strong evidence is lacking for instance the bone broth claim has been fueled by a study published in 2000 that showed eating chicken soup seemed to reduce symptoms of an upper respiratory tract infection a number of small studies have suggested garlic may enhance immune system function claims that elderberry products can prevent viral illness also are making the rounds on social media but evidence is lackingzinc supplements and lozenges are also a popular remedy for fighting off colds and respiratory illness some studies have found that zinc lozenges may reduce the duration of cold by about a day and may reduce the number of upper respiratory infections in children but the data on zinc are mixed if you already have enough zinc from your diet its not clear that taking a supplement can help zinc supplements also commonly cause nauseathere are a lot of products that tout immune boosting properties but i dont think any of these have been medically proven to work said dr krystina woods hospital epidemiologist and medical director of infection prevention at mount sinai west there are people who anecdotally say i felt great after i took whatever that may be true but theres no science to support thatthe bottom line if you enjoy foods touted as immune boosters there is no harm in eating them as part of a balanced diet just be sure that you dont neglect proven health advice like washing your hands and not touching your face when it comes to protecting yourself from viral illness", + "https://www.nytimes.com/", + "TRUE", + 0.09969209469209472, + 1402 + ], + [ + "Coronavirus conspiracy video spreads on Instagram among black celebrities", + "instagram and facebook have made a concentrated effort to rid their platforms of false information but some conspiracy theories have proven hard to stopa video pushing the unfounded conspiracy that bill gates is responsible for creating the coronavirus has gone viral on instagram propelled by some black celebrities including comedians cedric the entertainer and dl hughley and professional fighter derrick lewisthis video has been viewed more than 22 million times according to data from crowdtangle a social media analysis tool owned by facebook which also owns instagram the current iteration of the video originated from the account thefallbackup a selfdescribed influential mystic with 69500 followers the video was reposted by 20 verified instagram users and more than 50 other usersbill gates either predicted or planned the coronavirus outbreak the text on the video reads before playing a clip from a 2015 ted talk in which gates explains that a highly infectious virus could be more deadly than warcedric the entertainer posted the video to his instagram account and wrote so they knew the video has been viewed 367000 times since he posted it thursday watch out for big pharma he addedhmmmmm hughley wrote next to his post along with an emoji of a face with a monocleok this is scary looks like someone or some corporations knew this would happen coincidence ill let you guys decide wrote gary owen a comedian who once hosted the bet comedy show comic viewan instagram spokesperson said the videos had been sent to its factchecking partners for review like other social media platforms instagram was initially flooded by coronavirus posts that pushed conspiracies and false cures in recent weeks it has made a concentrated effort to rid its platform of false information the world health organization has called misinformation surrounding the virus an infordemic\ngates has been the target of dozens of swirling conspiracies since news of the outbreak broke in january the billionaire and philanthropist has been the subject of at least seven different conspiracies debunked by international factcheckers according to first draft an organization that tracks online misinformation the most popular conspiracies have claimed that gates engineered the virus as a form of population control while others suggested that he is somehow profiting from a vaccine which has yet to be developedthe black community has been specifically targeted by misinformation surrounding the coronavirus said shireen mitchell a researcher who studies online disinformation and is the founder of the group stop online violence against women across social media viral misinformation has spread that black people are immune from the coronavirus because of melanin in their skin they are notsome in the black community may also be specifically susceptible to conspiracies surrounding the coronavirus because of the countrys history of nonconsensual medical experimentation on black people mitchell notedthats how disinformation works mitchell said citing black maternal mortality rates and the 40year tuskegee study in which public health officials in alabama refused to disclose or treat hundreds of black men with syphilis it takes a kernel of truth and layers of disinformation on top so it seems like youre hearing the truth when what youre doing is manipulating facts and then people dont know what facts are anymore", + "https://www.nbcnews.com/", + "TRUE", + -0.010121951219512199, + 533 + ], + [ + "What does “preparedness” in a country really mean?", + "preparedness starts with funding thats how everything else gets doneby having resources available to prepare for these kinds of rare but highly impactful events\n\npublic health departments would use that money to ensure expertise in emergency and pandemic planning thats key not only for the public health preparedness but for preparedness in hospitals and longterm care facilities as well\n\nthe money could also be used for supplies in the us weve heard a lot of about the strategic national stockpile which contains critical medicines and supplies needed during public health disasters having the resources to ensure we have extra supplies on hand is crucial\n\npreparedness also means having policies and guidance ready to pull off the shelf during crises rather than starting from scratch that could include telework policies at an institutional level or advance thinking on actions like the triggers that would indicate a need to close or reopen schools", + "https://www.globalhealthnow.org/", + "TRUE", + 0.08153846153846155, + 151 + ], + [ + "INTELLIGENCE COMMUNITY STATEMENT ON ORIGINS OF COVID-19", + "the office of the director of national intelligence today issued the following intelligence community ic statementthe entire intelligence community has been consistently providing critical support to us policymakers and those responding to the covid19 virus which originated in china the intelligence community also concurs with the wide scientific consensus that the covid19 virus was not manmade or genetically modifiedas we do in all crises the communitys experts respond by surging resources and producing critical intelligence on issues vital to us national security the ic will continue to rigorously examine emerging information and intelligence to determine whether the outbreak began through contact with infected animals or if it was the result of an accident at a laboratory in wuhan ", + "https://www.dni.gov/", + "TRUE", + 0.03571428571428571, + 118 + ], + [ + "That ‘Miracle Cure’ You Saw on Facebook? It Won’t Stop the Coronavirus", + "gargling warm salty water taking vitamins or heating your nasal passages wont eliminate the virus or keep it from reaching your lungsthere is little evidence that vitamins and other dietary supplements can protect you from the coronavirus in any consistent or significant waythere is no known cure for the new coronavirus\nscientists are scrambling to find treatments and vaccines for the virus which causes the illness covid19 and health care professionals are working to stop the spread of misinformationits a tough battle on social media memes have become efficient vectors of bad advice often with urgent instructions or dystopian graphics one misstating the benefits of gargling salty water shows the virus as a cluster of green burrs infecting the throat of a glowing blue manone series of posts with bad advice including claims that sunshine could kill the virus and that ice cream should be avoided tacked on the name unicef\nthis is of course not true said christopher tidey a spokesman for unicef the united nations childrens fundmisinformation during times of a health crisis can result in people being left unprotected or more vulnerable to the virus he said it can also spread paranoia fear and stigmatization and have other consequences like offering a false sense of protectionhere are some of the false claims that are spreading via twitter facebook and whatsappgargling warm waterthere is no evidence that gargling warm water with salt or vinegar eliminates the coronavirus a claim that has gone viral as part of a meme the one with the glowing blue man in multiple languages it suggests that the coronavirus lingers in the throat for days before it reaches the lungs and that a good gargle can stop the virus in its tracksthats not true the centers for disease control and prevention has said that gargling salty warm water is one of many ways to soothe a sore throat but there is no evidence that doing this will kill the coronavirusit wont stop it from getting into the lungs said dr paul offit an infectious disease expert at the university of pennsylvania and the childrens hospital of philadelphia what it could do is decrease inflammation which would make your throat less soredrinking water frequentlysome social media posts suggest that if you sip water every 15 minutes or so you can protect yourself from the virus which in this scenario has made its way to your mouth by flushing it into your stomach the idea here is that it wouldnt enter your trachea which leads to the lungsbut thats false staying hydrated is a good idea generally and the cdc says that healthy people can get their fluid needs by drinking when thirsty and with meals but there is no evidence that frequent sips keep the virus from entering the lungsblasting hot aira video that has been shared on facebook claims that the virus cannot survive in hot temperatures it shows a woman aiming a hair dryer at her face with the goal of heating her sinuses to the coronavirus kill temperature of 133 degrees elsewhere on social media people have suggested that hand dryers can kill the virus\nbut there is no clear evidence that this works according to the world health organization the virus cannot be killed by hand dryers and it appears that it can survive in hot temperatures and in cold temperaturesdr offit said that there was some research indicating that warming the nasal passage might help the immune system combat a virus but he added that breathing near steam like sitting over a bowl of hot soup was a much better idea than aiming a hair dryer at your facedo the soup thing he said thats better than forcing air into your noseingesting colloidal silvermany claims about the benefits of colloidal silver come from companies that sell the productcolloidal silver comes in different forms often as a bottled liquid with silver particles and is promoted as a dietary supplement but according to the national center for complementary and integrative health evidence about the medical benefits are lacking and silver can be harmful one possible side effect is a condition called argyria a bluegray skin discoloration colloidal silver could also hinder the absorption of some drugslast week the food and drug administration said that it had warned seven companies to stop selling products including colloidal silver that the companies suggested cure or prevent the coronavirusgetting some sunit is not yet known what effect sunlight or ultraviolet light has on the new coronavirus and if the virus is already reproducing inside of a human body ultraviolet light from the sun or from a lamp cant reach ita walk in the sunshine might be good for your mental and physical health if you practice social distancing and there is evidence that ultraviolet light can inactivate viruses including flu viruses particularly in laboratory settingsthe who warns however that ultraviolet light lamps should not be used to sterilize hands or other body parts because they can irritate the skintaking your vitaminssocial media is full of suggestions about taking additional vitamins c is a popular one and ingesting things like garlic pepper mint or elderberry but there is little evidence that these foods and supplements can protect you in any consistent or significant wayvitamin c which is an antioxidant hasnt shown a consistent benefit for treating or preventing illnesses like the common cold and as with many things it can be harmful in large doses do not take large quantities of an antioxidant knowing that your body needs to maintain a balance dr offit saidevidence that elderberry can help people with flu symptoms is spotty garlic may have some antimicrobial properties but there is no evidence that it has protected people from the coronavirusin short vitamins and nutrients can be good especially if they come from a balanced diet but they cant be relied upon to protect people from a pandemicso what should we dosound preparation based on scientific evidence is what is needed at this time said mr tidey of unicefthe cdc offers the following guidance on what you can do to minimize your chances of contracting the virus wash your hands often avoid touching your face and practice social distancing you can also protect others by covering your mouth when you cough or sneeze staying home when sick and disinfecting surfaces\nthe who has partnered with tech companies including google facebook and twitter to fight bad information about the coronavirus and its website has debunked claims about saline antibiotics chlorine and other substanceshere is more coverage from the new york times about the things you can do to stay safe", + "https://www.nytimes.com/", + "TRUE", + 0.0910017953622605, + 1105 + ], + [ + "COVID-19 Severity", + "the complete clinical picture of covid19 is not fully known reported illnesses have ranged from very mild including some people with no reported symptoms to severe including illness resulting in death while information so far suggests that the majority of covid19 illnesses are mild an early reportexternal icon out of china found serious illness in 16 of people who were infected a cdc morbidity mortality weekly report that looked at severity of disease among covid19 patients in the united states by age group found that 80 of deaths were among adults 65 years and older with the highest percentage of severe outcomes occurring in people 85 years and older people with serious underlying medical conditions like serious heart conditions chronic lung disease and diabetes for example also seem to be at higher risk of developing severe covid19 illness", + "https://www.cdc.gov/", + "TRUE", + 0.054166666666666675, + 138 + ], + [ + "Drinking methanol, ethanol or bleach DOES NOT prevent or cure COVID-19 and can be extremely dangerous", + "methanol ethanol and bleach are poisons drinking them can lead to disability and death methanol ethanol and bleach are sometimes used in cleaning products to kill the virus on surfaces however you should never drink them they will not kill the virus in your body and they will harm your internal organs\nto protect yourself against covid19 disinfect objects and surfaces especially the ones you touch regularly you can use diluted bleach or alcohol for that make sure you clean your hands frequently and thoroughly and avoid touching your eyes mouth and nose", + "https://www.who.int/", + "TRUE", + 0.20952380952380953, + 93 + ], + [ + "The coronavirus isn’t alive. That’s why it’s so hard to kill", + "the science behind what makes this coronavirus so sneaky deadly and difficult to defeat viruses have spent billions of years perfecting the art of surviving without living a frighteningly effective strategy that makes them a potent threat in todays worldthats especially true of the deadly new coronavirus that has brought global society to a screeching halt its little more than a packet of genetic material surrounded by a spiky protein shell onethousandth the width of an eyelash and it leads such a zombielike existence that its barely considered a living organism\nbut as soon as it gets into a human airway the virus hijacks our cells to create millions more versions of itselfresearchers hope new visualization of sarscov2 will show them how to defeat itthere is a certain evil genius to how this coronavirus pathogen works it finds easy purchase in humans without them knowing before its first host even develops symptoms it is already spreading its replicas everywhere moving onto its next victim it is powerfully deadly in some but mild enough in others to escape containment and for now we have no way of stopping itas researchers race to develop drugs and vaccines for the disease that has already sickened 350000 and killed more than 15000 people and counting this is a scientific portrait of what they are up againstbetween chemistry and biology respiratory viruses tend to infect and replicate in two places in the nose and throat where they are highly contagious or lower in the lungs where they spread less easily but are much more deadlythis new coronavirus sarscov2 adeptly cuts the difference it dwells in the upper respiratory tract where it is easily sneezed or coughed onto its next victim but in some patients it can lodge itself deep within the lungs where the disease can kill that combination gives it the contagiousness of some colds along with some of the lethality of its close molecular cousin sars which caused a 20022003 outbreak in asiaanother insidious characteristic of this virus by giving up that bit of lethality its symptoms emerge less readily than those of sars which means people often pass it to others before they even know they have itit is in other words just sneaky enough to wreak worldwide havocviruses much like this one have been responsible for many of the most destructive outbreaks of the past 100 years the flus of 1918 1957 and 1968 and sars mers and ebola like the coronavirus all these diseases are zoonotic they jumped from an animal population into humans and all are caused by viruses that encode their genetic material in rnathats no coincidence scientists say the zombielike existence of rna viruses makes them easy to catch and hard to killoutside a host viruses are dormant they have none of the traditional trappings of life metabolism motion the ability to reproduceand they can last this way for quite a long time recent laboratory research showed that although sarscov2 typically degrades in minutes or a few hours outside a host some particles can remain viable potentially infectious on cardboard for up to 24 hours and on plastic and stainless steel for up to three days in 2014 a virus frozen in permafrost for 30000 years that scientists retrieved was able to infect an amoeba after being revived in the labwhen viruses encounter a host they use proteins on their surfaces to unlock and invade its unsuspecting cells then they take control of those cells molecular machinery to produce and assemble the materials needed for more virusesits switching between alive and not alive said gary whittaker a cornell university professor of virology he described a virus as being somewhere between chemistry and biologyamong rna viruses coronaviruses named for the protein spikes that adorn them like points of a crown are unique for their size and relative sophistication they are three times bigger than the pathogens that cause dengue west nile and zika and are capable of producing extra proteins that bolster their successlets say dengue has a tool belt with only one hammer said vineet menachery a virologist at the university of texas medical branch this coronavirus has three different hammers each for a different situationamong those tools is a proofreading protein which allows coronaviruses to fix some errors that happen during the replication process they can still mutate faster than bacteria but are less likely to produce offspring so riddled with detrimental mutations that they cant survivemeanwhile the ability to change helps the germ adapt to new environments whether its a camels gut or the airway of a human unknowingly granting it entry with an inadvertent scratch of her nose\nscientists believe that the sars virus originated as a bat virus that reached humans via civet cats sold in animal markets this current virus which can also be traced to bats is thought to have had an intermediate host possibly an endangered scaly anteater called a pangolini think nature has been telling us over the course of 20 years that hey coronaviruses that start out in bats can cause pandemics in humans and we have to think of them as being like influenza as longterm threats said jeffery taubenberger virologist with the national institute of allergy and infectious diseases\nfunding for research on coronaviruses increased after the sars outbreak but in recent years that funding has dried up taubenberger said such viruses usually simply cause colds and were not considered as important as other viral pathogens he saidthe search for weapons once inside a cell a virus can make 10000 copies of itself in a matter of hours within a few days the infected person will carry hundreds of millions of viral particles in every teaspoon of his bloodthe onslaught triggers an intense response from the hosts immune system defensive chemicals are released the bodys temperature rises causing fever armies of germeating white blood cells swarm the infected region often this response is what makes a person feel sickandrew pekosz a virologist at johns hopkins university compared viruses to particularly destructive burglars they break into your home eat your food use your furniture and have 10000 babies and then they leave the place trashed he saidunfortunately humans have few defenses against these burglarsmost antimicrobials work by interfering with the functions of the germs they target for example penicillin blocks a molecule used by bacteria to build their cell walls the drug works against thousands of kinds of bacteria but because human cells dont use that protein we can ingest it without being harmedbut viruses function through us with no cellular machinery of their own they become intertwined with ours their proteins are our proteins their weaknesses are our weaknesses most drugs that might hurt them would hurt us toofor this reason antiviral drugs must be extremely targeted and specific said stanford virologist karla kirkegaard they tend to target proteins produced by the virus using our cellular machinery as part of its replication process these proteins are unique to their viruses this means the drugs that fight one disease generally dont work across multiple onesand because viruses evolve so quickly the few treatments scientists do manage to develop dont always work for long this is why scientists must constantly develop new drugs to treat hiv and why patients take a cocktail of antivirals that viruses must mutate multiple times to resist\nmodern medicine is constantly needing to catch up to new emerging viruses kirkegaard saidsarscov2 is particularly enigmatic though its behavior is different from that of its cousin sars there are no obvious differences in the viruses spiky protein keys that allow them to invade host cells\nunderstanding these proteins could be critical to developing a vaccine said alessandro sette head of the center for infectious disease at the la jolla institute for immunology previous research has shown that the spike proteins on sars are what trigger the immune systems protective response in a paper published this month sette found the same is true of sarscov2this gives scientists reason for optimism according to sette it affirms researchers hunch that the spike protein is a good target for vaccines if people are inoculated with a version of that protein it could teach their immune system to recognize the virus and allow them to respond to the invader more quickly\nit also says the novel coronavirus is not that novel sette saidand if sarscov2 is not so different from its older cousin sars then the virus is probably not evolving very fast giving scientists developing vaccines time to catch upin the meantime kirkegaard said the best weapons we have against the coronavirus are public health measures such as testing and social distancing and our own immune systemssome virologists believe we have one other thing working in our favor the virus itselffor all its evil genius and efficient lethal design kirkegaard said the virus doesnt really want to kill us its good for them good for their population if youre walking around being perfectly healthyevolutionarily speaking experts believe the ultimate goal of viruses is to be contagious while also gentle on their hosts less a destructive burglar and more a considerate house guestthats because highly lethal viruses like sars and ebola tend to burn themselves out leaving no one alive to spread thembut a germ thats merely annoying can perpetuate itself indefinitely one 2014 study found that the virus causing oral herpes has been with the human lineage for 6 million years thats a very successful virus kirkegaard saidseen through this lens the novel coronavirus that is killing thousands across the world is still early in its life it replicates destructively unaware that theres a better way to survivebut bit by bit over time its rna will change until one day not so far in the future it will be just another one of the handful of common cold coronaviruses that circulate every year giving us a cough or sniffle and nothing more", + "https://www.washingtonpost.com/", + "TRUE", + 0.08716645021645018, + 1653 + ], + [ + "Coronavirus symptoms: What are they and how do I protect myself?", + "coronavirus has claimed more than 156000 lives and infected nearly 23 million people around the worldamong them is uk prime minister boris johnson who is now recuperating after being treated in hospital for covid19what are the coronavirus symptomscoronavirus infects the lungs the two main symptoms are a fever or a dry cough which can sometimes lead to breathing problemsthe cough to look out for is a new continuous cough this means coughing a lot for more than an hour or having three or more coughing episodes in 24 hours if you usually have a cough it may be worse than usualyou have a fever if your temperature is above 378c this can make you feel warm cold or shiverya sore throat headache and diarrhoea have also been reported and a loss of smell and taste may also be a symptomit takes five days on average to start showing the symptoms but some people will get them much later the world health organization who says the incubation period lasts up to 14 dayson 18 april the uss centers for disease control and prevention cdc updated its list of symptoms to look out for to includechillsrepeated shaking with chills muscle pain headache sore throat new loss of taste or smell previously it only detailed a fever cough and shortness of breathwhen do people need to go to hospitalthe majority of people with coronavirus will recover after rest and pain relief such as paracetamolthe main reason people need hospital treatment is difficulty breathingdoctors may scan the lungs to see how badly they are affected and give support such as oxygen or ventilation if neededhowever people should not go to ae if they are concerned in the uk the nhs 111 website will guide you through what to doif you are so breathless that you are unable to speak more than a few words you will be told to call 999 as this is a medical emergencyif you become so ill that youve stopped doing all of your usual daily activities then it will advise speaking to a nurse by dialling nhs 111how do ventilators workwhat is an intensive care unitcan i get testedwhat happens in intensive careintensive care units icus are specialist wards for people who are very illcoronavirus patients will get oxygen support which can involve using a facemask or a tube in the nosethe most invasive way for the most seriously ill patients is ventilation where air with increased levels of oxygen is pushed into the lungs via a tube in the mouth nose or through a small cut in the throatwhat should i do if i have mild symptomspatients with mild symptoms should selfisolate at home for at least seven dayspeople are advised not to ring nhs 111 to report their symptoms unless they are worried they should also not go to their gp or aedetails for scotland are to check nhs inform then ring your gp in office hours or 111 outofhours in wales call nhs 111 and in northern ireland call your gp\nif you have come into contact with somebody who may be infected you may be told to selfisolatethe world health organization has also issued advice for the publichow deadly is coronavirusthe proportion dying from the disease appears low between 1 and 2 but the figures are unreliablecoronavirus death rate what are the chances of dyingthousands are being treated but may go on to die so the death rate could be higher but it may also be lower if lots of mild cases are unreporteda world health organization who examination of data from 56000 patients suggests6 become critically ill lung failure septic shock organ failure and risk of death 14 develop severe symptoms difficulty breathing and shortness of breath 80 develop mild symptoms fever and cough and some may have pneumonia older people and those with preexisting medical conditions such as asthma diabetes heart disease high blood pressure are more likely to become severely ill men are at slightly higher risk of dying from the virus than womenwork to develop a vaccine is under way ", + "https://www.bbc.com/", + "TRUE", + 0.0205011655011655, + 679 + ], + [ + "For how long after I am infected will I continue to be contagious? At what point in my illness will I be most contagious?", + "people are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms especially if they are coughing and sneezing but people with no symptoms can also spread the coronavirus to other people if they stand too close to them in fact people who are infected may be more likely to spread the illness if they are asymptomatic or in the days before they develop symptoms because they are less likely to be isolating or adopting behaviors designed to prevent spreadmost people with coronavirus who have symptoms will no longer be contagious by 10 days after symptoms resolve people who test positive for the virus but never develop symptoms over the following 10 days after testing are probably no longer contagious but again there are documented exceptions so some experts are still recommending 14 days of isolationone of the main problems with general rules regarding contagion and transmission of this coronavirus is the marked differences in how it behaves in different individuals thats why everyone needs to wear a mask and keep a physical distance of at least six feethere is a more scientific way to determine if you are no longer contagious have two nasalthroat tests or saliva tests 24 hours apart that are both negative for the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06957070707070707, + 218 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weather\nthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 167 + ], + [ + "Given that coronaviruses can cause the common cold, does that mean humans likely have some protection against this new virus? Or are we immunologically \"naive\"?", + "although its possible we could have preexisting immunity if we were previously infected with common cold coronaviruses there is no evidence that this is protective in people exposed to sarscov2 the virus that causes covid19unless i see data otherwise id assume that most of us are immunologically naive however although we dont know if its relevant to covid19 epidemiology it has been shown that antibodies against sarscov can block infection of cells with sarscov2 in vitro so there is the possibility of protective crossreactive immunity from closely related coronaviruses", + "https://www.globalhealthnow.org/", + "TRUE", + -0.058333333333333334, + 89 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 166 + ], + [ + "Is it possible to be reinfected with the novel coronavirus?", + "reinfection is always a possibility with a viral infection particularly if you have a subclinical infection and dont mount much of an immune response against it reinfection is also possible within the window after the first infection and before you develop antibodies that window can vary from a couple of weeks to a few months depending on how much your immune system was triggeredweve now got a good population of people who have recovered from the virus serum samples from those patients can allow us to time exactly when they begin to develop antibodies and when they develop sufficient titers and neutralizing antibodies this will help us determine what the window is for protectionbefore your immune system returns to normal you can be infected by not just this virus but by regular colds and flu a couple of months may be a reasonable window of recovery based on what we know right now", + "https://www.globalhealthnow.org/", + "TRUE", + 0.18353174603174602, + 153 + ], + [ + "Sun exposure does not kill the coronavirus", + "there is no evidence that sun exposure kills the 2019 coronavirus unicef has debunked a post that claims the organization said sunlight is effective against the virusthere is evidence that viruses dont like heat president trump has said coronavirus infections could slow with warmer weather but some experts doubt that predictiona few of the best ways to prevent the coronavirus are to wash your hands with soap and water avoid touching your face and disinfect surfaces in your home daily", + "https://www.politifact.com/", + "TRUE", + 0.26666666666666666, + 80 + ], + [ + "Cleaning And Disinfecting Your Home", + "everyday steps and extra steps when someone is sick how to clean and disinfect pump soap icon cleanwear reusable or disposable gloves for routine cleaning and disinfectionclean surfaces using soap and water then use disinfectantcleaning with soap and water reduces number of germs dirt and impurities on the surface disinfecting kills germs on surfacespractice routine cleaning of frequently touched surfaces high touch surfaces includetables doorknobs light switches countertops handles desks phones keyboards toilets faucets sinks etccleaning icondisinfectrecommend use of eparegistered household disinfectantexternal iconfollow the instructions on the label to ensure safe and effective use of the product read epas infographic on how to use these disinfectant productsexternal icon safely and effectivelymany products recommendkeeping surface wet for a period of time see product labelprecautions such as wearing gloves and making sure you have good ventilation during use of the productdiluted household bleach solutions may also be used if appropriate for the surfacecheck the label to see if your bleach is intended for disinfection and ensure the product is not past its expiration date some bleaches such as those designed for safe use on colored clothing or for whitening may not be suitable for disinfectionunexpired household bleach will be effective against coronaviruses when properly dilutedfollow manufacturers instructions for application and proper ventilation never mix household bleach with ammonia or any other cleanserleave solution on the surface for at least 1 minuteto make a bleach solution mix5 tablespoons 13rd cup bleach per gallon of water or4 teaspoons bleach per quart of waterbleach solutions will be effective for disinfection up to 24 hoursalcohol solutions with at least 70 alcohol may also be usedcomplete disinfection guidancecouch iconsoft surfacesfor soft surfaces such as carpeted floor rugs and drapesclean the surface using soap and water or with cleaners appropriate for use on these surfaceslaunder items if possible according to the manufacturers instructionsuse the warmest appropriate water setting and dry items completelyordisinfect with an eparegistered household disinfectant these disinfectantsexternal icon meet epas criteria for use against covid19vacuum as usual mobile iconelectronicsfor electronics such as tablets touch screens keyboards and remote controlsconsider putting a wipeable cover on electronicsfollow manufacturers instruction for cleaning and disinfectingif no guidance use alcoholbased wipes or sprays containing at least 70 alcohol dry surface thoroughlywasher iconlaundryfor clothing towels linens and other itemslaunder items according to the manufacturers instructions use the warmest appropriate water setting and dry items completelywear disposable gloves when handling dirty laundry from a person who is sickdirty laundry from a person who is sick can be washed with other peoples itemsdo not shake dirty laundryclean and disinfect clothes hampers according to guidance above for surfacesremove gloves and wash hands right awayhands wash iconclean hands oftenwash your hands often with soap and water for 20 secondsalways wash immediately after removing gloves and after contact with a person who is sickhand sanitizer if soap and water are not readily available and hands are not visibly dirty use a hand sanitizer that contains at least 60 alcohol however if hands are visibly dirty always wash hands with soap and wateradditional key times to clean hands includeafter blowing ones nose coughing or sneezingafter using the restroombefore eating or preparing foodafter contact with animals or petsbefore and after providing routine care for another person who needs assistance eg a childavoid touching your eyes nose and mouth with unwashed handswhen someone is sickbed iconbedroom and bathroomkeep separate bedroom and bathroom for a person who is sick if possiblethe person who is sick should stay separated from other people in the home as much as possibleif you have a separate bedroom and bathroom wear disposable gloves and only clean the area around the person who is sick when needed such as when the area is soiled this will help limit your contact with the person who is sickcaregivers can provide personal cleaning supplies to the person who is sick if appropriate supplies include tissues paper towels cleaners and eparegistered disinfectantsexternal icon if they feel up to it the person who is sick can clean their own spaceif shared bathroom the person who is sick should clean and disinfect after each use if this is not possible the caregiver should wait as long as possible before cleaning and disinfectingsee precautions for household members and caregivers for more informationfood iconfoodstay separated the person who is sick should eat or be fed in their room if possiblewash dishes and utensils using disposable gloves and hot water handle any used dishes cupsglasses or silverware with gloves wash them with soap and hot water or in a dishwasherclean hands after taking off gloves or handling used itemstrash icontrashdedicated lined trash can if possible dedicate a lined trash can for the person who is sick use disposable gloves when removing garbage bags and handling and disposing of trash wash hands afterwards", + "https://www.cdc.gov/", + "TRUE", + 0.005204942736588304, + 796 + ], + [ + "How does COVID-19 affect children?", + "children including very young children can develop covid19 many of them have no symptoms those that do get sick tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illnessa complication that has more recently been observed in children can be severe and dangerous called multisystem inflammatory syndrome in children misc it can lead to lifethreatening problems with the heart and other organs in the body early reports compare it to kawasaki disease an inflammatory illness that can lead to heart problems but while some cases look very much like kawasakis others have been differentsymptoms of misc can include fever lasting more than a couple of days rash conjunctivitis redness of the white part of the eye stomachache vomiting andor diarrhea a large swollen lymph node in the neck red cracked lips a tongue that is redder than usual and looks like a strawberry swollen hands andor feet irritability andor unusual sleepiness or weaknessmany conditions can cause these symptoms doctors make the diagnosis of misc based on these symptoms along with a physical examination and medical tests that check for inflammation and how organs are functioning call the doctor if your child develops symptoms particularly if their fever lasts for more than a couple of days if the symptoms get any worse or just dont improve call again or bring your child to an emergency roomdoctors have had success using various treatments for inflammation as well as treatments to support organ systems that are having trouble while there have been some deaths most children who have developed misc have recovered", + "https://www.health.harvard.edu/", + "TRUE", + 0.04189655172413794, + 286 + ], + [ + "COVID-19 (coronavirus)", + "this is about the covid19 coronavirus outbreak that began in china in late 2019 the world health organization who has declared the outbreak a pandemic this means that it has spread across the world this virus can cause a severe lung infection and it can cause death you can use our information to talk with your doctor if you are concerned about covid19", + "https://bestpractice.bmj.com/", + "TRUE", + -0.3, + 63 + ], + [ + "I see other countries spraying down sidewalks and other public places with disinfectant. Why don’t we do that in the US?", + "randomly spraying open places is largely a waste of time and effort health experts sayit can actually do more harm than good spraying disinfectants can result in risks to the eyes respiratory or skin irritation the world health organization saidspraying or fumigation of outdoor spaces such as streets or marketplaces is also not recommended to kill the covid19 virus or other pathogens because disinfectant is inactivated by dirt and debris and it is not feasible to manually clean and remove all organic matter from such spaces the who saidmoreover spraying porous surfaces such as sidewalks and unpaved walkways would be even less effective besides the ground isnt typically a source of infection the who said", + "https://www.cnn.com/", + "TRUE", + 0.07756410256410257, + 115 + ], + [ + "When do you need to bring your child to the doctor during this pandemic?", + "anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that waysome things though do require an inperson appointment includingillness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency roomchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so\ncheckups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices\ncheckups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seenbottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor", + "https://www.health.harvard.edu/", + "TRUE", + 0.11019988242210464, + 391 + ], + [ + "Why is diabetes considered a risk for severe COVID-19?", + "for people with diabetes factors that potentially play a role in increasing their risk of developing a more serious case of covid19 includethe presence of chronic medical conditions such as cardiovascular disease hypertension and obesity that also increase the risk for covid19 impaired function of white blood cells that fight infection and an exaggerated inflammatory response by the body toward the sarscov2 virus increased expression of an enzyme angiotensinconverting enzyme 2 in the lungs heart kidneys and pancreas that acts as a portal for the novel coronavirus to enter human cells to stay healthy optimal diabetes management is important including controlling blood pressure and cholesterol levels people with diabetes should stay hydrated carefully record blood glucose and ketone readings andif a person develops symptoms such as fever cough or shortness of breathcontact their health care provider immediatelyranganath muniyappa md phd is a senior research physician at the national institute of diabetes and digestive and kidney diseases national institutes of health he published covid19 pandemic coronaviruses and diabetes mellitus on march 31 2020 in the american journal of physiology ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.035897435897435895, + 178 + ], + [ + "Stay informed", + "knowing what is accurate can protect you and your family\ntheres a lot of information flying around and knowing what is going on will go a long way toward protecting your family\n\nstay informed the new york times is providing free coverage of the crisis\n\njohns hopkins has a comprehensive web guide as does harvard medical school the cdc has uptodate information and your local health department is a great resource for questions", + "https://www.nytimes.com/", + "TRUE", + 0.24090909090909093, + 73 + ], + [ + "What treatments are available to treat coronavirus?", + "currently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams", + "https://www.health.harvard.edu/", + "TRUE", + -0.014285714285714282, + 83 + ], + [ + "Can UV light kill coronavirus?", + "while some uv light devices are used for hospital disinfection uv light only kills germs under very specific conditions including certain irradiation dosages and exposure times the world health organization saidbut uv light can also damage the bodytwo factors are required for uv light to destroy a virus intensity and time if the light is intense enough to break apart a virus in a short time its going to be dangerous to people said donald milton a professor at the university of marylanduva and uvb light both damage the skin uvc light is safer for skin but it will damage tender tissue such as the eyesand dont be fooled by claims that hot weather will kill coronavirusyou can catch covid19 no matter how sunny or hot the weather is the who said countries with hot weather have reported cases of covid19", + "https://www.cnn.com/", + "TRUE", + 0.16654135338345863, + 141 + ], + [ + "Do adults younger than 65 who are otherwise healthy need to worry about COVID-19?", + "yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to others", + "https://www.health.harvard.edu/", + "TRUE", + -0.0947089947089947, + 128 + ], + [ + "Do vaccines against pneumonia protect you against the new coronavirus?", + "no vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine do not provide protection against the new coronavirusthe virus is so new and different that it needs its own vaccine researchers are trying to develop a vaccine against 2019ncov and who is supporting their effortsalthough these vaccines are not effective against 2019ncov vaccination against respiratory illnesses is highly recommended to protect your health", + "https://www.who.int/", + "TRUE", + 0.12284090909090907, + 68 + ], + [ + "How does this particular coronavirus compare with other coronaviruses like SARS and MERS?", + "we are learning more about the virus every day on the continuum of the common cold to sars its now clear that the novel coronavirus is more contagious than sars but less deadly we dont yet know how much more contagious or how much less deadly the number of confirmed infections with ncov has already far outpaced the total number of suspected sars cases", + "https://www.globalhealthnow.org/", + "TRUE", + 0.035897435897435895, + 64 + ], + [ + "Is it safe to travel by airplane?", + "stay current on travel advisories from regulatory agencies this is a rapidly changing situationanyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane", + "https://www.health.harvard.edu/", + "TRUE", + -0.25, + 50 + ], + [ + "Can eating garlic help prevent infection with 2019-nCoV", + "garlic is a healthy food that may have some antimicrobial properties however there is no evidence from the current outbreak that eating garlic has protected people from 2019ncov", + "https://www.who.int/", + "TRUE", + 0.25, + 28 + ], + [ + "Coronavirus symptoms: 10 key indicators and what to do", + "scientists are learning more each day about the mysterious novel coronavirus and the symptoms of covid19 the disease it causesfever cough and shortness of breath are found in the vast majority of all covid19 cases but there are additional signals of the virus some that are very much like cold or flu and some that are more unusualany or all symptoms can appear anywhere from two to 14 days after exposure to the virus according to the us centers for disease control and preventionhere are 10 signs that you or a loved one may have covid19 and what to do to protect yourself and your family shortness of breath shortness of breath is not usually an early symptom of covid19 but it is the most serious it can occur on its own without a cough if your chest becomes tight or you begin to feel as if you cannot breathe deeply enough to fill your lungs with air thats a sign to act quickly experts say\nif theres any shortness of breath immediately call your health care provider a local urgent care or the emergency department said american medical association president dr patrice harrisif the shortness of breath is severe enough you should call 911 harris addedthe cdc lists other emergency warning signs for covid19 as a persistent pain or pressure in the chest and bluish lips or face which can indicate a lack of oxygenget medical attention immediately the cdc saysfeverfever is a key sign of covid19 because some people can have a core body temperature lower or higher than the typical 986 degrees fahrenheit 37 degrees celsius experts say not to fixate on a numbercnn anchor chris cuomo who is battling the virus from his home in new york is one of those peoplei run a little cool my normal temperature is 976 not 986 so even when im at 99 that would not be a big deal for most people but for me im already warm cuomo told cnn chief medical correspondent dr sanjay gupta in a cnn town hallmost children and adults however will not be considered feverish until their temperature reaches 100 degrees fahrenheit 377 degrees celsiusthere are many misconceptions about fever said dr john williams chief of the division of pediatric infectious diseases at the university of pittsburgh medical center childrens hospital of pittsburghwe all actually go up and down quite a bit during the day as much as half of a degree or a degree williams said adding that for most people 990 degrees or 995 degrees fahrenheit is not a feverdont rely on a temperature taken in the morning said infectious disease expert dr william schaffner a professor of preventative medicine and infectious disease at vanderbilt university school of medicine in nashville instead take your temperature in the late afternoon and early eveningour temperature is not the same during the day if you take it at eight oclock in the morning it may be normal schaffner explainedone of the most common presentations of fever is that your temperature goes up in the late afternoon and early evening its a common way that viruses produce feverdry coughcoughing is another common symptom but its not just any coughits not a tickle in your throat youre not just clearing your throat its not just irritated schaffner explainedthe cough is bothersome a dry cough that you feel deep in your chestits coming from your breastbone or sternum and you can tell that your bronchial tubes are inflamed or irritated schaffner addeda report put out by the world health organization in february found over 33 of 55924 people with laboratory confirmed cases of covid19 had coughed up sputum a thick mucus sometimes called phlegm from their lungschills and body aches the beast comes out at night said cuomo referencing the chills body aches and high fever that visited him on april 1it was like somebody was beating me like a pinata and i was shivering so much that i chipped my tooth they call them the rigors he said from his basement where he is quarantined from the rest of his familyi was hallucinating my dad was talking to me i was seeing people from college people i havent seen in forever it was freaky cuomo saidnot everyone will have such a severe reaction experts say some may have no chills or body aches at all others may experience milder flulike chills fatigue and achy joints and muscles which can make it difficult to know if its flu or coronavirus thats to blameone possible sign that you might have covid19 is if your symptoms dont improve after a week or so but actually worsensudden confusionspeaking of worsening signs the cdc says a sudden confusion or an inability to wake up and be alert may be a serious sign that emergency care may be needed if you or a loved one has those symptoms especially with other critical signs like bluish lips trouble breathing or chest pain the cdc says to seek help immediatelydigestive issuesat first science didnt think diarrhea or other typical gastric issues that often come with the flu applied to the noval coronavirus also known as sarscov2 as more research on survivors becomes available that opinion has changedin a study out of china where they looked at some of the earliest patients some 200 patients they found that digestive or stomach gi gastrointestinal symptoms were actually there in about half the patients gupta said on cnns new day news programoverall i think were getting a little bit more insight into the types of symptoms that patients might have gupta saidthe study described a unique subset of milder cases in which the initial symptoms were digestive issues such as diarrhea often without fever those patients experienced delays in testing and diagnosis than patients with respiratory issues and they took longer to clear the virus from their systemspink eye research from china south korea and other parts of the world indicate that about 1 to 3 of people with covid19 also had conjunctivitis commonly known as pink eyeconjunctivitis a highly contagious condition when caused by a virus is an inflammation of the thin transparent layer of tissue called conjunctiva that covers the white part of the eye and the inside of the eyelidbut sarscov2 is just one of many viruses that can cause conjunctivitis so it came as no real surprise to scientists that this newly discovered virus would do the samestill a pink or red eye could be one more sign that you should call your doctor if you also have other telltale symptoms of covid19 such as fever cough or shortness of breath loss of smell and taste in mild to moderate cases of coronavirus a loss of smell and taste is emerging as one of the most unusual early signs of covid19whats called anosmia which basically means loss of smell seems to be a symptom that a number of patients developed cnn chief medical correspondent dr sanjay gupta told cnn anchor alisyn camerota on new dayit may be linked to loss of taste linked to loss of appetite were not sure but its clearly something to look out for gupta said sometimes these early symptoms arent the classic onesanosmia in particular has been seen in patients ultimately testing positive for the coronavirus with no other symptoms according to the american academy of otolaryngologyhead and neck surgerya recent analysis of milder cases in south korea found the major presenting symptom in 30 of patients was a loss of smell in germany more than two in three confirmed cases had anosmiait has long been known in medical literature that a sudden loss of smell may be associated with respiratory infections caused by other types of coronaviruses so it wasnt a surprise that the novel coronavirus would have this effect according to ent uk pdf a professional organization representing ear nose and throat surgeons in the united kingdomis there anything you can do at home to test to see if youre suffering a loss of smell the answer is yes by using the jellybean test to tell if odors flow from the back of your mouth up through your nasal pharynx and into your nasal cavity if you can pick out distinct flavors such as oranges and lemons your sense of smell is functioning finefatiguefor some people extreme fatigue can be an early sign of the novel coronavirus the who report found nearly 40 of the nearly 6000 people with laboratory confirmed cases experienced fatiguejust a few days into his quarantine cuomo was already exhausted by the fevers and body aches the disease bringsim so lethargic that i can stare outside and like an hourandahalf goes by cuomo told gupta on anderson cooper 360 i think i took a 10minute nap and it was three and a half hoursfatigue may continue long after the virus is gone anecdotal reports from people who have recovered from covid19 say exhaustion and lack of energy continue well past the standard recovery period of a few weeksheadache sore throat congestionthe who report also found nearly 14 of the almost 6000 cases of covid19 in china had symptoms of headache and sore throat while almost 5 had nasal congestioncertainly not the most common signs of the disease but obviously similar to colds and flu in fact many symptoms of covid19 can resemble the flu including headaches and the previously mentioned digestive issues body aches and fatigue still other symptoms can resemble a cold or allergies such as a sore throat and congestionmost likely experts say you simply have a cold or the flu after all they can cause fever and cough tooso what should you doat this moment the current guidance and this may change is that if you have symptoms that are similar to the cold and the flu and these are mild symptoms to moderate symptoms stay at home and try to manage them with rest hydration and the use of feverreducing medications said the amas harristhat advice does not apply if you are over age 60 since immune systems weaken as we age or if you are pregnant anyone with concerns about coronavirus should call their healthcare provider according to the cdcits unclear whether pregnant women have a greater chance of getting severely ill from coronavirus but the cdc has said that women experience changes in their bodies during pregnancy that may increase their risk of some infectionsin general covid19 infections are riskier if you have underlying health conditions such as diabetes chronic lung disease or asthma heart failure or heart disease sickle cell anemia cancer or are undergoing chemotherapy kidney disease with dialysis a body mass index bmi over 40 extremely obese or an autoimmune disorderolder patients and individuals who have underlying medical conditions or are immunocompromised should contact their physician early in the course of even mild illness the cdc advisesto be clear you are at higher risk even if you are young if you have underlying health issuespeople under 60 with underlying illnesses with diabetes heart disease immunocompromised or have any kind of lung disease previously those people are more vulnerable despite their younger age schaffner saida history of travel to an area where the novel coronavirus is widespread and those parts of the world including the us are going up each day is obviously another key factor in deciding if your symptoms may be covid19 or nothow to be evaluated\nif you have no symptoms please dont ask for testing or add to backlog of calls at testing centers clinics hospitals and the like experts say\nwe do not test people with no symptoms because its a resource issue schaffner said about the assessment center at vanderbilt however we are emphasizing that people who have this small cluster of important symptoms fever and anything related to the lower respiratory tract such as cough and difficulty breathing reach out to be evaluatedif you do have those three signs where should you goif you have insurance and youre looking for a provider or someone to call or connect with theres always a number on the back of your insurance card or if you go online there is information for patients harris saidif you dont have insurance you can start with the state health department or the local community health centers those are officially known as federally qualified health centers harris advised adding that some states have a 1800 hotline number to callif there is a testing and assessment center near you you can go there directly schaffer said its always good to notify them that youre coming otherwise you need to call your healthcare provider and they will direct you what to do", + "https://www.cnn.com/", + "TRUE", + 0.057368441251419995, + 2116 + ], + [ + "What are the coronavirus symptoms?", + "coronavirus infects the lungs the two main symptoms are a fever or a dry cough these can lead to breathing problems and shortness of breathethe cough to look out for is a new continuous cough this means coughing a lot for more than an hour or having three or more coughing episodes in 24 hours if you usually have a cough it may be worse than usualyou have a fever if your temperature is above 378c this can make you feel warm cold or shiverythe us centers for disease control and prevention has published an expanded list of symptoms which some people may developchillsrepeated shaking with chillsmuscle painheadachesore throatnew loss of taste or smellit takes five days on average to start showing the symptoms but some people will get them much later the world health organization says the incubation period lasts up to 14 days", + "https://www.bbc.com/", + "TRUE", + 0.036363636363636355, + 145 + ], + [ + "Will holding your breath for 10 seconds reveal if you have coronavirus?", + "university of maryland chief quality officer and chief of infectious diseases dr faheem younus tweeted on march 16 wrong most young patients with coronavirus will be able to hold their breaths for much longer than 10 seconds and many elderly without the virus wont be able to do iton march 17 dr thomas nash a new york presbyterian hospital internist pulmonologist and infectious disease specialist told reuters the breath test was just made up\ndifferent posts mistakenly source the claim to an unnamed stanford hospital board member a japanese doctor or taiwanese experts on march 13 stanford university tweeted misinformation about covid19 symptoms and treatment falsely attributed to stanford is circulating on social media and in email forwards it is not from stanfordstanford health care spokeswoman lisa kim told cnn on march 17 that the dangerous claim was not from stanford medicine and contains inaccurate informationthe march 13 post claimed the breath test checked for fibrosis caused by covid19 the post read by the time they have fever andor cough and go to the hospital the lung is usually 50 fibrosis and its too latefibrosis is defined as the overgrowth hardening andor scarring of various tissues caused by chronic inflammatory reactions induced by a variety of stimuli including persistent infections autoimmune reactions allergic responses chemical insults radiation and tissue injurydr robert legare atmar an infectious disease specialist at baylor college of medicine called the posts language extremely alarmist to cnn on march 17nash told reuters that fibrosis takes months if not years to developalthough covid19 can lead to pneumonia in some patients which can eventually lead to fibrosis nash said this virus is brand new and no one on the planet knows if it causes fibrosisthe post also claimed the development of pneumonia was the second symptom of covid19 but according to the world health organization only patients with severe cases develop pneumoniaalong with fibrosis and pneumonia the post misrepresents covid19 symptoms as feeling like youre drowningatmar said covid19 patients likely wouldnt experience that symptom that does not sound like any other respiratory virus people are infected with and many patients with coronavirus have not had nasal infection at allin addition to the breath test facebook posts suggest ineffective methods to protect against the virus such as drinking large amounts of water gargling saltwater and exposure to heat and suna similar march 12 facebook post with nearly 200 shares read even if the virus gets into your mouth drinking water and other fluids will help wash it down the hydrochloric acid in your stomach will kill the germs if you do not drink enough water regularly the virus can enter the airways and into your lungs\nyounas debunked the water method on twitter virus may gain entry via throat but it penetrates into the host cells you cant wash it away excessive water will make you run to the toiletpolitfact and snopes both discredited the claim that you should also gargle as a prevention method both found that while gargling does ease throat discomfort there is no evidence that it kills the virusthe march 13 facebook post also claimed that covid19 hates the sun and could be killed by just 2627 degrees which is about 78 degrees fahrenheit politifact debunked the claim that sun exposure kills the virus the who warns that hot baths and warm climates do not prevent the spread of covid19", + "https://www.usatoday.com/", + "TRUE", + 0.038279736136878996, + 564 + ], + [ + "How severe is COVID-19 infection?", + "preliminary data from the eueea from the countries with available data show that around 2030 of diagnosed covid19 cases are hospitalised and 4 have severe illness hospitalisation rates are higher for those aged 60 years and above and for those with other underlying health conditions", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.085, + 45 + ], + [ + "In the absence of approved treatments, what can health care providers do?", + "even without approved treatments there are several key ways health care providers can care for people with covid19 and keep them alivecontrol their symptoms give them medications that make having covid19 more tolerableones that control fever cough and other commonly associated symptoms provide intensive support to the body of a sick person as their immune system battles the infection we see that some patients may become critically ill with this disease hence they may need mechanical ventilation or urgent dialysis there may be a role for technologies such as extracorporeal membrane oxygenation to help their lungs recover from acute respiratory distress syndrometreat other infections that covid19 patients may get such as concurrent bacterial pneumonia because their lungs are not functioning as well as they can in this case clinicians will use antibiotics to help them recover", + "https://www.globalhealthnow.org/", + "TRUE", + -0.06038961038961039, + 136 + ], + [ + "Inside the extraordinary race to invent a coronavirus vaccine", + "companies are launching trials at an unprecedented pace but some worry about the tradeoffs between speed and safetyian haydon a healthy 29yearold reported to a medical clinic in seattle for a momentous blood draw last weekoh yeah said the nurse taking his blood that is liquid goldhaydon is an obscure but important participant in the most consequential race for a vaccine in medical history in early april he was among the first people in the united states to receive an experimental vaccine that could help end the coronavirus crisis he volunteered to be a test subject knowing about the risks and unknowns but eager to do his part to help end the worst pandemic in a centuryscientists at the national institutes of health in bethesda md will study blood from haydon and others for signs that the vaccine triggered an immune response to a pathogen they have never encountered it would be the first preliminary signal that the vaccine could provide immunity to covid19 the disease caused by the novel coronavirus which has claimed more than 200000 lives worldwidea coronavirus vaccine has become the light at the end of a very long tunnel the tool that will bring the virus to heel allowing people to attend sports events hug friends celebrate weddings and grieve at funerals the goal to deliver a vaccine in 12 to 18 months often repeated by the nations top infectious disease scientist anthony s fauci has become the one reassuring refrain during briefings on the crisis the white house put together a task force called operation warp speed to try to move even faster making hundreds of millions of doses ready by januarywith at least 115 vaccine projects at companies and research labs the science is hurtling forward so fast and bending so many rules about how the process usually works that even veteran vaccine developers do not know what to expectscientific steps that typically take place sequentially over years animal testing toxicology studies laboratory experiments massive human trials plans to ramp up production are now moving in fastforward and in parallel experts keep using the word unprecedentedits a thrilling time in vaccine science but also an unnerving oneus regulators are firm in promising they will not sacrifice safety for speed but some ethicists raise concerns about pandemic research exceptionalism in which the demand to speed a vaccine to market could come at the expense of evidence and fuel the powerful antivaccine lobbythe 26 years it took us to make the rotavirus vaccine is pretty typical if its 12 to 18 months youre skipping steps said paul offit who developed a vaccine for rotavirus which causes deadly diarrhea in infants and children is that a little risky yes it is but so is getting infected with the virusscience at lightning speed on a weekend in early january scientists at inovio pharmaceuticals a biotech company outside of philadelphia began designing a vaccine for a mysterious pneumonia that didnt even have a name they like other teams around the world used the genetic blueprint of the novel coronavirus shared online by chinese scientists as their guideit took about three hours to design the vaccine said joseph kim chief executive of inovioscientists at nih had been in talks about partnering with a massachusetts biotechnology company moderna and immediately began designing another vaccine candidate by the end of the month it was in production in a factory filled with robots in a suburb south of bostonwith an array of promising vaccine technologies fueled by early scientific openness dozens of vaccine efforts kicked off blindingly fast in dozens of countriesthen the tough work began kim saiddesigning a promising vaccine is in some ways the easy part showing that it is safe and effective and then scaling up production can take years or even decades researchers are now trying to compress that timeline in ways they never have before against a type of virus they have never successfully quelled in some cases they are also harnessing technologies that have never been used in approved vaccines in contrast scientists develop a new flu vaccine each year an effort that is more of a plug and play situation where a timetested basic platform can be redirected to fight new flu strainsits another reason for better preparedness said barney graham deputy director of the vaccine research center at nih pointing out that his lab had developed a vaccine for mers a related coronavirus but only got it through mouse studies if wed taken at least two to three vaccine concepts through earlyphase clinical trials on mers we might have a better idea on what to focus on for this sars coronavirus so instead of working with 115 different vaccine ideas we might be working on fivescientists at oxford university have announced the most aggressive timeline with plans to make their vaccine which depends on a weakened cold virus that typically infects chimpanzees available in the fallmoderna and inovio are developing vaccines that ferry two types of genetic material into cells to train the immune system to recognize the distinctive spike protein on the surface of the coronavirus a beijing company is trying an inactivated virus giant pharmaceutical companies flush with government funding are turning their vaccine platforms toward the coronavirus researchers at texas am university are repurposing an existing tuberculosis vaccine to see whether it can prevent deaths or severe illnessto make things more difficult as the infection spread across the world scientific teams had to change how they work practicing social distancing in their labs so the virus doesnt take out the effort to combat it that happened at nih when one scientist became infected with the coronavirus and two close colleagues on the effort had to quarantine for 14 daysgrahams vaccine research center is working with only about 10 percent of its staff coming in and his laboratory which usually houses 20 people can have only two at any one timemeanwhile the difficult laboratory science such as animal testing is in many ways being leapfrogged or running in tandem with testing in peoplethis is unusual kim said its really moving at lightning speed with the urgency to match itlearning as they go\nmany researchers can describe how vaccines are typically developed but they cant say precisely how the coronavirus vaccines will come about so much will depend not just on the science but on how the outbreak evolves how flexible regulators decide to be and what we continue to learn about the virus in real timephilanthropist bill gates argues things cant really return to normal until the worlds 7 billion people are vaccinated a daunting scenario that could take years and create a new kind of public strife as governments and individual people scramble for limited doses more than one vaccine will probably be needed because the first one may not be as effective as the followupsthe frontrunner vaccines in the united states have never been made at an industrial scale and some vaccines require two doses to be given further complicating any effort to scale upwe really have never made those kinds of vaccines in large large quantities how quickly can that be done said kathryn edwards a professor of pediatrics at vanderbilt university school of medicine were not going to be able to say in 18 months that we have enough for all the worlds people to be immunized with two dosestypically human clinical trials occur after extensive animal testing then a small number of human subjects receive the vaccine in a phase 1 trial intended to determine the safety and the right dosage people are monitored for any side effects as well as early hints that the vaccine works after carefully analyzing that data companies decide to proceed to a larger phase 2 trial in several hundred patients which looks for signs the vaccine is working then they could proceed to a large phase 3 trial in which people are randomly assigned to receive either the vaccine or a dummy shot a definitive test of safety and effectiveness which often takes thousands of patients and several yearsoffit who is helping advise the us vaccine effort said the large trials being considered that he is aware of range from 1000 to 6000 people that would probably take place over months in contrast when he developed a vaccine against rotavirus the pivotal trial included 70000 healthy infants over four years the human papilloma virus vaccine was tested in 30000 peoplethose are typical trials offit said they tell you pretty comfortably that the vaccine is effective and to some extent that it doesnt have an uncommon side effectno one is talking about that for the coronavirusmoderna the company that manufactures the vaccine haydon received plans to start its next larger trial in 500 to 600 people this spring according to stéphane bancel the chief executive he said the company began planning the trial nearly a month ago even though it was still giving shots to the first human subjects\nwe said we cannot wait bancel saidinstead of holding off until the subjects have signs in their blood that the vaccine works they are going to proceed to the next trial as soon as it shows safety bancel said moderna hopes to sign a contract soon with a government agency so that they can start manufacturing and stockpiling the vaccine before approval they could have 100 million doses ready to go on day one if it is approved in a yearregulators insist that even under unprecedented urgency products will be held to a high safety barmy motto is a woodworking one measure twice cut once the only change to that motto is measure quickly twice cut quickly once said peter marks the director of the center for biologics evaluation and research at the food and drug administrationbut vaccine experts point out that rare safety problems often can be identified only in very large studies or even through monitoring after a vaccine has been deployed they are most concerned about the risk that the vaccines could actually make the disease worse in some people as happened in some animal studies of vaccines for severe acute respiratory syndrome sars through a mechanism called antibody dependent enhancementin 1966 for instance an experimental vaccine for rsv a common respiratory virus in children backfired when some children developed a more severe disease scientific debate is still raging about a dengue vaccine used in the philippines in recent years that increased the risk of hospitalization for dengue in children who had not previously been infected\nthe publics health and the trust in vaccines considered one of the most successful public health interventions in human history will be guarded by regulators experts say even as the political pressure intensifies to get a vaccine into broad usetheyre good at holding the line and arent going to do anything thats reckless because if they did it could jeopardize the whole us vaccine effort especially with the antivaccine lobby said peter jay hotez the dean of the national school of tropical medicine at baylor college of medicinehuman experiments\none way to speed up vaccine development is human challenge experiments in which people are intentionally infected with the virus after being vaccinated while the idea has gained steam among some scientists people working on vaccine trials said it is an ethically challenging approach they would be uncomfortable with unless an effective treatment is discoveredright now i think its a little premature however its not off the table said wilbur chen chief of the adult clinical studies section in the university of maryland school of medicines center for vaccine development and global health i think it could be something that could be done it could help us to really evaluate the efficacy of a vaccine much more quicklyvolunteers for such a challenge effort have already flooded an online signup created by a grassroots group of researchers scientists are hopeful that enthusiasm will fill up all the trials necessary to prove the vaccines work that will mean people willing to be test subjects for unproven vaccines with thinnerthanusual animal evidence behind them it will mean people volunteering for trials in which half of them get a placebo it may mean people weighing a vaccine whose benefits and risks arent fully known against the risk of the virushaydon who is due for his second shot of the vaccine next week said he had never participated in a research study but was eager to assistim incredibly hopeful well arrive at a vaccine he said but in order to do that we need clinical trials and at some point for each new vaccine and each new drug that has to go into someone for the first time", + "https://www.washingtonpost.com/", + "TRUE", + 0.12172689461459513, + 2117 + ], + [ + "No credible evidence supporting claims of the laboratory engineering of SARS-CoV-2", + "the emergence and outbreak of a newly discovered acute respiratory disease in wuhan china has affected greater than 40000 people and killed more than 1000 as of feb 10 2020 a new human coronavirus sarscov2 was quickly identified and the associated disease is now referred to as coronavirus disease discovered in 2019 covid19 httpsglobalbiodefensecomnovelcoronaviruscovid19portalaccording to what has been reported 13 covid2019 seems to have similar clinical manifestations to that of the severe acute respiratory syndrome sars caused by sarscov the sarscov2 genome sequence also has 80 identity with sarscov but it is most similar to some bat betacoronaviruses with the highest being 96 identitycurrently there are speculations rumours and conspiracy theories that sarscov2 is of laboratory origin some people have alleged that the human sarscov2 was leaked directly from a laboratory in wuhan where a bat cov ratg13 was recently reported which shared 96 homology with the sarscov2 4 however as we know the human sarscov and intermediate host palm civet sarslike cov shared 998 homology with a total of 202 singlenucleotide nt variations snvs identified across the genome 6 given that there are greater than 1100 nt differences between the human sarscov2 and the bat ratg13cov 4 which are distributed throughout the genome in a naturally occurring pattern following the evolutionary characteristics typical of covs it is highly unlikely that ratg13 cov is the immediate source of sarscov2 the absence of a logical targeted pattern in the new viral sequences and a close relative in a wildlife species bats are the most revealing signs that sarscov2 evolved by natural evolution a search for an intermediate animal host between bats and humans is needed to identify animal covs more closely related to human sarscov2 there is speculation that pangolins might carry covs closely related to sarscov2 but the data to substantiate this is not yet published httpswwwnaturecomarticlesd41586020003642another claim in chinese social media points to a nature medicine paper published in 2015 7 which reports the construction of a chimeric cov with a bat cov s gene shc014 in the backbone of a sars cov that has adapted to infect mice ma15 and is capable of infecting human cells 8 however this claim lacks any scientific basis and must be discounted because of significant divergence in the genetic sequence of this construct with the new sarscov2 5000 nucleotides\nthe mouseadapted sars virus ma15 9 was generated by serial passage of an infectious wildtype sars cov clone in the respiratory tract of balbc mice after 15 passages in mice the sarscov gained elevated replication and lung pathogenesis in aged mice hence m15 due to six coding genetic mutations associated with mouse adaptation it is likely that ma15 is highly attenuated to replicate in human cells or patients due to the mouse adaptationit was proposed that the s gene from batderived cov unlike that from human patients or civetsderived viruses was unable to use human ace2 as a receptor for entry into human cells 1011 civets were proposed to be an intermediate host of the batcovs capable of spreading sars cov to humans 612 however in 2013 several novel bat coronaviruses were isolated from chinese horseshoe bats and the bat sarslike or slcovwiv1 was able to use ace2 from humans civets and chinese horseshoe bats for entry 8 combined with evolutionary evidence that the bat ace2 gene has been positively selected at the same contact sites as the human ace2 gene for interacting with sars cov 13 it was proposed that an intermediate host may not be necessary and that some bat slcovs may be able to directly infect human hosts to directly address this possibility the exact s gene from bat coronavirus slshc014 was synthesized and used to generate a chimeric virus in the mouse adapted ma15 sarscov backbone the resultant slshc014ma15 virus could indeed efficiently use human ace2 and replicate in primary human airway cells to similar titres as epidemic strains of sarscov while slshc014ma15 can replicate efficiently in young and aged mouse lungs infection was attenuated and less virus antigen was present in the airway epithelium as compared to sars ma15 which causes lethal outcomes in aged mice 7\ndue to the elevated pathogenic activity of the shc014ma15 chimeric virus relative to ma15 chimeric virus with the original human sars s gene in mice such experiments with slshc014ma15 chimeric virus were later restricted as gain of function gof studies under the us governmentmandated pause policy httpswwwnihgovaboutnihwhowearenihdirectorstatementsnihliftsfundingpausegainfunctionresearch the current covid2019 epidemic has restarted the debate over the risks of constructing such viruses that could have pandemic potential irrespective of the finding that these bat covs already exist in nature regardless upon careful phylogenetic analyses by multiple international groups 514 the sarscov2 is undoubtedly distinct from slshc014ma15 with 6000 nucleotide differences across the whole genome therefore once again there is no credible evidence to support the claim that the sarscov2 is derived from the chimeric slshc014ma15 virusthere are also rumours that the sarscov2 was artificially or intentionally made by humans in the lab and this is highlighted in one manuscript submitted to biorxiv a manuscript sharing site prior to any peer review claiming that sarscov2 has hiv sequence in it and was thus likely generated in the laboratory in a rebuttal paper led by an hiv1 virologist dr feng gao they used careful bioinformatics analyses to demonstrate that the original claim of multiple hiv insertions into the sarscov2 is not hiv1 specific but random 15 because of the many concerns raised by the international community the authors who made the initial claim have already withdrawn this reportevolution is stepwise and accrues mutations gradually over time whereas synthetic constructs would typically use a known backbone and introduce logical or targeted changes instead of the randomly occurring mutations that are present in naturally isolated viruses such as bat cov ratg13 in our view there is currently no credible evidence to support the claim that sarscov2 originated from a laboratoryengineered cov it is more likely that sarscov2 is a recombinant cov generated in nature between a bat cov and another coronavirus in an intermediate animal host more studies are needed to explore this possibility and resolve the natural origin of sarscov2 we should emphasize that although sarscov2 shows no evidence of laboratory origin viruses with such great public health threats must be handled properly in the laboratory and also properly regulated by the scientific community and governments", + "https://www.tandfonline.com/", + "TRUE", + 0.07032081686429513, + 1062 + ], + [ + "The hunt for a coronavirus vaccine – a perilous and uncertain path", + "the stakes could hardly be higher the prize still tantalisingly out of reach it is no exaggeration to say that the fate of many millions of people rests on the discovery of a vaccine for covid19 the only sure escape route from the pandemicyet the optimism that accompanied the launch of oxford universitys human trials this week has to be put in context and the hurdles facing the scientists need to be understoodthe vaccine hunters are trying to outwit an invisible enemy so small that a million viral particles could fit inside a human cell but whose biological ingenuity has brought everyday life to a standstillso what is the path to successhow vaccines train our immune system traditional vaccines work by creating a weakened version of a virus similar enough to the original that the immune system will be forearmed if the person is exposed to a full infection in future helping prevent actual illnessthe approach has led to some of our best vaccines but is also fundamentally risky because there is always a chance that a newly developed attenuated virus wont be as innocuous as hoped clinical trials have to be approached cautiously and slowly especially when there are no effective treatments for a diseasea slow approach is not ideal in a pandemic so its perhaps unsurprising that only two of the 76 vaccine candidates that the world health organization has on its radar have opted for this traditional approach the rest rely on the fasttrack idea that the immune system doesnt need to see the entire virus to generate the ammunition to fight it off in the future if the virus is the warship the theory is that the immune system needs only to see the enemy flag to form an indelible immune memory in the case of covid19 this flag takes the form of prominent protrusions known as spike proteins that form a halo or corona around the virusadvances in genetic engineering have given full flight to scientists creativity in developing this defence teams around the world have moved at unprecedented pace going from having the genetic sequence for the spike protein in january to vaccine candidates a matter of weeks laterbut many of these technologies are unproven and the success of any trial is far from guaranteed as this weeks disappointing results for the drug remdesivir show ethical questions need to be navigated to ensure the safety of volunteers and then potentially the most contentious question of all if a vaccine is found who gets it first the frontrunners first into clinical trials just eight weeks after the genetic sequence for covid19 was published in january was the us biotech company moderna with its rna vaccinerna is a singlestranded messenger molecule that normally delivers genetic instructions from dna coiled up inside cells to proteinmaking factories that sit outside cellsin this case the rna instructs the muscle cells to start churning out the harmless spike protein as a warning to the immune system imperial college londons team this week backed by 225m government funding is also developing an rna vaccine but in a form that hasnt been tested before in peoplesome groups have skipped animal studies because their technology has been used in human studies said prof robin shattock who is leading the imperial team we dont have that luxury its probably cost us one or two months but its much better to be cautious and be sure youve got something thats really safealso testing their candidates in human trials are the chinese vaccine company cansino biologics and a team at oxford university led by prof sarah gilbert both are using harmless viruses that have been disabled so that they dont replicate once they get inside cells these delivery vehicles are known as nonreplicating viral vectorsthese teams had already tried and tested the approach for other diseases such as ebola and had flasks of their vectors sitting in freezers ready to goa third approach is that of the us biotech company inovio a firm that has existed for four decades without developing an approved product but whose stock soared after it started its trial earlier this monthits vaccine uses dna to carry instructions for making the spike protein into cells which gets transcribed into messenger rna which then orders the protein factories to start pumping out the enemy spike proteinthis might seem an unnecessarily elaborate cascade but some think that getting the enemy flag inside cells and not just into the bloodstream could be important clearly it is true that there are no approved rna or dna vaccines on the market today said joseph kim inovios ceo but i think its just a matter of timefinally a fourth strategy simply manufactures massive supplies of the spike protein itself and injects a dose directly into people this is what the big pharma teamup of sanofi and gsk are betting on sanofi is repurposing a vaccine candidate that was developed for sars in the early 2000s while gsk is providing an ingredient known as an adjuvant that boosts the immune response which has also been tried and tested its too early to say which option looks the most promising according to richard hatchett chief executive officer of the coalition for epidemic preparedness innovations cepi which is funding the development and testing of eight candidates some vaccines are going to be very fast to clinic others have tremendous potential to scale up he said and the challenge that we face is that theres going to be a great deal of urgency and pressure to roll out vaccines quickly for obvious reasons youre talking about giving a medical product to someone who is well what are the odds theyll work a few candidates will be filtered out in toxicology testing in animals others might fail because phase one trials in people produce unexpected side effects there is a chance none of them will workfor some illnesses including other circulating coronaviruses the immune system wages its battle then a few months later forgets it ever happened others like chicken pox or mumps trigger lifelong immunity the truth is were not yet sure where on this spectrum covid19 lies reasonable guesses are that there might be partial protection for close to a year according to marcus lipsitch a professor of epidemiology at harvard whose team recently predicted that in the absence of a vaccine social distancing may need to continue until 2022 on the long end it might be several years of good protection its really speculative at this pointon the positive side covid19 appears quite stable genetically meaning that the spike protein that vaccines are built around should still look the same next winter this isnt the case for flu which shuffles its genes around so rapidly that new vaccines are needed each year there are also questions around the type of immunity required the body overcomes illness through antibodies which see off the virus itself and killer tcells which eliminate cells already infected by the foreign invader for some illnesses antibodies do the heavy lifting but the balance varies depending on pathogen and even across people an ideal vaccine should generate a response in both arms of the immune system antibodies and t cells said kim he predicts this could be a weakness of rna and protein vaccines which are delivered outside of cells meaning that killer tcells are not likely to be recruited there is also a chance that some trials could grind to a halt simply because the pandemic has been so well controlled by lockdowns and other measures you need a certain hit rate in the population youre vaccinating to get the statistics to show your vaccine is having protective ability said miles carroll head of research at public health englands national infection service at porton downthe possibility of challenge trials in which people are deliberately infected have been considered but there are obvious ethical issues with exposing volunteers to a potentially deadly disease theres a lot of interest in this because it would really accelerate vaccine development but there are some major hurdles to ensure the safety of the volunteers in that setting said prof andrew pollard chief investigator on the oxford studyscalingup vaccine manufacturers talk in terms of yield how many doses of vaccine do you get out per litre of culture and there could be significant differences in the ability of teams to produce the number of doses required to make a difference shattock believes this will be a strength of imperials rna vaccine candidate which has the unique feature of replicating itself thousands of times once inside the bodywe can make the equivalent of a million doses within a litre of material said shattock many other vaccines would need hundreds or thousands of litres for that its the scalability towards the end of the year well be hoping to make tens of millions of doses if our vaccine were shown to be successful if everything goes well and thats still a big if we could deploy it in the uk this winter said shattock all these smaller approaches will hold the fort until a larger global solution comesby september there could be a vaccine maybe several that appear broadly safe and effectivethats not enough to get a vaccine licensed but governments are already talking about the potential for rolling out such candidates to highrisk groups potentially including millions of health workers under emergency use rules in the absence of this ultimate seal of approvalthere are precedents for this in the 2018 ebola outbreak more than 200000 people in democratic republic of congo received the merck vaccine before it was licensed in 2019 that might be enough if you are an intensive care nurse or living in an old peoples home to say that for you because you have the most to gain from being vaccinated the riskbenefit balance is favourable said sandy douglas an oxford vaccine researcherbut very rare sideeffects cannot be ruled out and there have been vaccine calamities in the past recently the gsk vaccine pandemrix given to millions during the swine flu pandemic of 2009 which was linked to narcolepsy in one in every 55000 jabs the principle of transparent informed consent will be critical douglas added in this case that would include the fact that if youre being offered a vaccine in october that didnt exist in april there will not yet be longterm safety followup experience although we do have longer term experience with several similar vaccinesindividuals could be faced with tough choices take an experimental vaccine or leave themselves at risk of infectionat the moment many teams are trying all sorts of ways to develop a vaccine but there is no coherent solution for the whole planet some are banking on big pharma swooping in with a blockbuster product sanofi and gsk as a joint force are unique in having the ability to manufacture hundreds of millions of doses without relying on external supportbut multinationals are not built for speed and their reputations depend on absolute safety so there is no prospect of this team making its vaccine widely available before mid to late2021 others urge a unified approach governments the un the world bank and the who need to agree a way forward before a lead candidate emergesnational governments are already making advance purchase agreements and looking to secure their own supply chainsif vaccine nationalism asserts itself you could end up having a limitation of a vaccine to one specific population said hatchett its an understandable response of a leader who is elected by a particular population to protect that population but you cant protect your people and your economy until the global pandemic is brought under control we really cant deal with this one country at a timehatchett and others are arguing for a global commitment of tens of billions of dollars to ensure that any successful vaccine is distributed globally and according to need in global health terms thats a very big number he said but if your point of reference is the global impact that this pandemic is having on the economy then thats a very small number if you buy into the idea that the vaccine is the escape route from the pandemic then thats a really good investment", + "https://www.theguardian.com/", + "TRUE", + 0.11215365765670643, + 2046 + ], + [ + "Why the Coronavirus Is So Confusing", + "why the coronavirus is so confusing", + "https://www.theatlantic.com/", + "TRUE", + -0.3, + 6 + ], + [ + "Germany treats first Italians as coronavirus care crosses borders", + "berlinmannheim germany reuters german hospitals with spare capacity on tuesday welcomed their first coronavirus patients from italy where an overwhelmed health care system has seen the pandemic kill more people than in any other countryahead of an expected larger wave of homegrown infections that german authorities are preparing for a first group of six italian patients arrived at leipzig airport in the eastern state of saxony on tuesday morning the western state of north rhinewestphalia also announced plans to take 10 italian patients over coming days we need solidarity across borders in europe said state premier armin laschet we want to preserve the european spirit saxony premier michael kretschmer said the government in italy where confirmed cases of the virus have topped 64000 and deaths risen above 6000 had asked for help germany was the first country to take in italian patients leipzigs university hospital took two of the transported patients a spokesman said both critically ill 57yearold men moved from intensive care in bergamo at the epicentre of italys outbreak and where overburdened wards are having to choose who to give lifesaving ventilator treatment to a benefit to germany from the transfers is that its hospitals will gain valuable further experience in treating coronavirus patients before the countrys tally of serious cases soarsgermany has 27000 confirmed coronavirus cases but only 114 deaths and is using the time before the expected surge to strengthen its intensivecare capacity the government is offering hospitals huge state subsidies to help accelerate plans to double that capacity currently at around 28000 beds germany has also been more rigorous than some other eu countries in testing for coronavirus one possible factor behind the countrys exceptionally low mortality rate in italy where an ageing population is a key factor in the apparently unusually high mortality statistics the head of the agency collating data on the epidemic told la repubblica newspaper that he believed as many as 640000 people could have been infected german hospitals also took in coronavirus patients from france on tuesday we have still three five seven days because we are before the bigger wave hartmut bueckle a spokesman for the university clinic in freiburg close to the french border told welt tv we want to use this time to offer our french neighbours the possibilities we still have for now thomas kirschning a senior doctor and intensive care coordinator in the western city of mannheim said his clinic had taken a recovering 64yearold french patient from colmar where the intensive care capacity is stretched to breaking point colleagues in france are overburdened at the moment kirschning told reuters in a television interviewat a time when our neighbours urgently need help we would like to do our partas an act of cooperation and humanity to take on the patients and help them he said", + "https://www.reuters.com/", + "TRUE", + 0.046916666666666676, + 470 + ], + [ + "Prevention", + "you can take measures to reduce your risk of catching the infection these include washing your hands often with soap and water for at least 20 seconds especially after being in a public place if soap and water are not available use an alcoholbased hand sanitiser containing at least 60 alcohol avoiding touching your eyes nose and mouth with unwashed hands cleaning and disinfecting frequently touched surfaces every day including counter topsphones light switches handles and door knobs avoid close contact with people who are sick the recommended distance between people varies between countries for example 2 metres 6 feet is recommended in the us and ukyou should avoid all nonessential travel to the worst affected countries some countries have introduced complete travel bans if you have to travel to a country or region that is badly affected you are advised to avoid close contact with anyone who has symptoms of a chest or throat infection such as a fever or cough wash your hands often especially after direct contact with people avoid eating raw or undercooked animal products avoid close contact with live or dead farm or wild animalsyou should follow any national or regional policies on social distancing depending on where you live this may include cancelling or limiting the size of public gatherings not attending schools and universities not visiting cafes bars restaurants and other businesses working from home if possible only leaving the house for essential journeys for example to buy food or medicine not letting your pet interact with people and animals outside your household at this time there is no evidence that pets and other animals can spread covid19 but caution is advised cats can become infected with coronavirus after contact with people who have covid19 scientists are carrying out research in this area if you become ill you shouldstay home and avoid contact with other people seek medical care right away but call ahead to your doctor or emergency department and tell them about your symptoms not travel while you are unwell cover your mouth and nose with a tissue or your sleeve not your hands when coughing or sneezing then put the tissue into the bin wash your hands often with soap and water for at least 20 seconds especially after coughing sneezing blowing your nose or being in a public place if soap and water are not available use an alcoholbased hand sanitiser containing at least 60 alcohol limit contact with pets and other animals at this time there is no evidence that pets and other animals can spread covid19 but caution is advised cats can become infected with coronavirus after contact with people who have covid19 some people wear medical masks to try to protect themselves against the infection recommendations about wearing masks vary between countries the world health organization recommends that you should wear a mask if you are a healthcare worker or if you are caring for someone with covid19 at home if you choose to wear a mask you should wash your hands with soap and water or use an alcoholbased hand sanitiserbefore putting on the mask you will still need to wash your hands often and thoroughly while wearing the mask the centers for disease control and prevention advises that there is likely to be a very low risk of spread from food products or packaging that are shipped over a period of days or weeks at ambient refrigerated or frozen temperatures the uk government advises it is very unlikely that you can catch coronavirus from food you should follow good hygiene and preparation practices when handling and eating raw fruit leafy salads and vegetables such as washing fresh produce to help to remove any contamination on the surface and peeling the outer layers or skins of certain fruits and vegetablestravel restrictions and policies travel restrictions and other quarantine measures have been introduced to try to stop the spread of the virus many countries advise against all nonessential travel and many flights have been cancelled some countries have arranged for all their citizens to leave the worst affected areas and to be quarantined for about two weeks on their return travel advice is changing rapidly and you should check the latest advice from the government in your country before planning a tripmany countries have introduced other measures to try to slow down the spread of the virusfor example people have been asked to work from home if possible and some countries have closed schools and other public places", + "https://bestpractice.bmj.com/", + "TRUE", + -0.05205441189047746, + 752 + ], + [ + "Why vaccines are the only real solution to pandemics, according to Gavi", + "on april 12th the drc will mark 42 days or two incubation periods since the last ebola patient was discharged from hospital\nngozi okonjoiweala chair of gavi the vaccine alliance says its important to use the lessons leant fighting ebola to overcome covid19\nshe stresses that this time must be used to bolster and prepare weaker health systems and that the development and global distribution of a vaccine should be our highest prioritythe democratic republic of congo will soon pass a milestone marking its success in the fight against ebola as africa braces for covid19 one lesson from the drc is that the best hope for defeating the coronavirus is not social distancing but a vaccine that is distributed equitablyon april 12 the democratic republic of the congo will mark 42 days since the last person who tested positive for ebola was discharged from the hospitalthe date is a significant milestone it refers to twice the maximum incubation period 21 days of the virus which is how the world health organization stipulates when an outbreak is over if all goes well it will be a remarkable turnaround for the drc and a testament to the bravery and dedication of health workers some of whom lost their lives treating the sickthe drcs success in combating ebola was overshadowed by the fact that during that fight approximately twice as many people died from a preventable measles outbreak one essential lesson for policymakers grappling with the greatest global health crisis in a century is that they must do everything in their power to prevent overstretched health systems from battling two epidemics simultaneouslybloodshed and fighting during a brutal civil war exacerbated the challenge facing the drc as it fought the ebola and measles outbreaks the country experienced profound difficulties immunizing its population against entirely preventable diseases it found itself fighting a multifront health battle when it desperately needed to marshal its available resources against a major threatthe trajectory of covid19 may be less advanced in many of the worlds poorest countries but we must not fool ourselves that a warmer climate or a younger demographic profile will blunt its impact the potential for death and disruption is even more pronounced than in the richer countries where the virus has hit hardestand yet weathering two significant health threats simultaneously has shown us how to prevent this nightmare scenarioour first priority is to maintain existing immunization programs for measles polio or any other disease for which a lowcost vaccine is routinely available it is critical that herd immunity is maintained in order to prevent any unnecessary drain on scarce healthcare resourcesnext we must bolster preparedness a number of organizations including gavi the vaccine alliance of which i am chair have made funds available 200300 million in gavis case to help the worlds poorest health systems step up surveillance activities invest in testing procure protective equipment and train health workers technology is playing a part too despite valid privacy concerns some countries are rolling out tracing apps a relatively low cost effective way to mitigate the virus spread africa is also using drones to distribute vaccines protective equipment and other vital supplies to remote areassocial distancing will slow the spread of covid19 but it will not win the war our best hope lies in finding a vaccine while there may be 41 candidates of varying promise in the pipeline we must learn from past mistakes too often governments have sequestered vaccines in the countries where they were manufactured we must ensure that when an effective vaccine becomes available it is accessible to anyone who needs it not just the rich fortunate fewthere are ways to avoid the inequitable distribution of vaccines gavi which procures and distributes vaccines to 60 of the worlds children at affordable prices regularly employs innovative mechanisms such as the international finance facility for immunization advanced market commitment and advanced purchase commitment to encourage vaccine production and delivery in the case of ebola gavi created incentivizes for merck to stockpile an experimental ebola vaccine that was then made available to the who which deployed it in the drc it can incentivize the production scale and equitable global distribution of a vaccine for covid19 as wellpoorer countries in africa and elsewhere may be unable to deal with both the health and economic fallout of this pandemic on their own the global effort that is already underway is essential because covid19 knows no borders no country is safe until every country is safewe are not yet near the end of the beginning of the covid19 crisis we must use what precious time we have to bolster our weakest health systems and economies but shoring up our defenses is not enough we must go on the offensive by making the development and global distribution of a vaccine our highest priority", + "https://www.weforum.org/", + "TRUE", + 0.1784749670619236, + 803 + ], + [ + "Why Hand-Washing Really Is as Important as Doctors Say", + "washing your hands decreases the number of microbes on your hands and helps prevent the spread of infectious diseases remember coronavirus spreads easily by droplets from breathing coughing and sneezing as our hands touch many surfaces they can pick up microbes including viruses then by touching contaminated hands to your eyes nose or mouth the pathogens can infect the body as a microbiologist i think a lot about the differences between microbes such as bacteria and viruses and how they interact with animal hosts to drive health or disease i was shocked to read a study that indicated that 932 of 2800 survey respondents did not wash their hands after coughing or sneezing let me explain how washing your hands decreases the number of microbes on your hands and helps prevent the spread of infectious diseases", + "https://www.snopes.com/news/2020/03/03/why-hand-washing-really-is-as-important-as-doctors-say/?collection-id=241238", + "TRUE", + 0.14666666666666667, + 136 + ], + [ + "How does the coronavirus work?", + "what is ita sarscov2 virion a single virus particle is about 80 nanometers in diameter the pathogen is a member of the coronavirus family which includes the viruses responsible for sars and mers infections each virion is a sphere of protein protecting a ball of rna the viruss genetic code its covered by spiky protrusions which are in turn enveloped in a layer of fat the reason soap does a good job of destroying the viruswhere does it come fromcovid19 like sars mers aids and ebola is a zoonotic diseaseit jumped from another species to human hosts this probably happened in late 2019 in wuhan china scientists believe bats are the likeliest reservoir sarscov2s closest relative is a bat virus that shares 96 of its genome it might have jumped from bats to pangolins an endangered species sometimes eaten as a delicacy and then to humanshow does it get into human cellsthe viruss protein spikes attach to a protein on the surface of cells called ace2 normally ace2 plays a role in regulating blood pressure but when the coronavirus binds to it it sets off chemical changes that effectively fuse the membranes around the cell and the virus together allowing the viruss rna to enter the cellthe virus then hijacks the host cells proteinmaking machinery to translate its rna into new copies of the virus in just hours a single cell can be forced to produce tens of thousands of new virions which then infect other healthy cellsparts of the viruss rna also code for proteins that stay in the host cell at least three are known one prevents the host cell from sending out signals to the immune system that its under attack another encourages the host cell to release the newly created virions and another helps the virus resist the host cells innate immunityhow does the immune system fight it offas with most viral infections the bodys temperature rises in an effort to kill off the virus additionally white blood cells pursue the infection some ingest and destroy infected cells others create antibodies that prevent virions from infecting host cells and still others make chemicals that are toxic to infected cellsbut different peoples immune systems respond differently like the flu or common cold covid19 is easy to get over if it infects only the upper respiratory tracteverything above the vocal cords it can lead to complications like bronchitis or pneumonia if it takes hold further down people without a history of respiratory illness often have only mild symptoms but there are many reports of severe infections in young healthy people as well as milder infections in people who were expected to be vulnerableif the virus can infect the lower airway as its close cousin sars does more aggressively it creates havoc in the lungs making it hard to breathe anything that weakens the immune systemeven heavy drinking missed meals or a lack of sleepcould encourage a more severe infectionhow does it make people sickinfection is a race between the virus and the immune system the outcome of that race depends on where it starts the milder the initial dose the more chance the immune system has of overcoming the infection before the virus multiplies out of control the relationship between symptoms and the number of virions in the body though remains unclearif an infection sufficiently damages the lungs they will be unable to deliver oxygen to the rest of the body and a patient will require a ventilator the cdc estimates that this happens to between 3 and 17 percent of all covid19 patients secondary infections that take advantage of weakened immune systems are another major cause of deathsometimes it is the bodys response that is most damaging fevers are intended to cook the virus to death but prolonged fevers also degrade the bodys own proteins in addition the immune system creates small proteins called cytokines that are meant to hinder the viruss ability to replicate overzealous production of these in what is called a cytokine storm can result in deadly hyperinflammation how do treatments and vaccines workthere are about a halfdozen basic types of vaccines including killed viruses weakened viruses and parts of viruses or viral proteins all aim to expose the body to components of the virus so specialized blood cells can make antibodies then if a real infection happens a persons immune system will be primed to halt it\nin the past it has been difficult to manufacture vaccines for new zoonotic diseases quickly a lot of trial and error is involved a new approach being taken by moderna pharmaceuticals which recently began clinical trials of a vaccine is to copy genetic material from a virus and add it to artificial nanoparticles this makes it possible to create a vaccine based purely on the genetic sequence rather than the virus itself the idea has been around for a while but it is unclear if such rna vaccines are potent enough to provoke a sufficient response from the immune system thats what clinical trials will establish if they first prove that the proposed vaccine isnt toxicother antiviral treatments use various tactics to slow down the viruss spread though it is not yet clear how effective any of these are chloroquine and hydroxychloroquine typically used to fight malaria might inhibit the release of the viral rna into host cells favipiravir a drug from japan could keep viruses from replicating their genomes a combination therapy of lopinavir and ritonavir a common hiv treatment that has been successful against mers prevents cells from creating viral proteins some believe the ace2 protein that the coronavirus latches onto could be targeted using hypertension drugsanother promising approach is to take blood serum from people who have recovered from the virus and use itand the antibodies it containsas a drug it could be useful either to confer a sort of temporary immunity to healthcare workers or to combat the viruss spread in infected people this approach has worked against other viral diseases in the past but it remains unclear how effective it is against sarscov2", + "https://www.technologyreview.com/", + "TRUE", + 0.05818104188357353, + 1012 + ], + [ + "N.Y.C. Deaths Reach 6 Times the Normal Level, Far More Than Coronavirus Count Suggests", + "more than 27000 new yorkers have died since march 11 20900 more than would be expected over this period and thousands more than have been captured by official coronavirus death statisticsas of sunday the city had attributed 16673 deaths to coronavirus either because people had tested positive for the virus or because the circumstances of their death meant that city health officials believed the virus to be the most likely cause of deathbut there remains a large gap between the 16673 figure and the total deaths above typical levels in the last six and a half weeks more than 4200 people whose deaths are not captured by the official coronavirus tollthe recent death count reached six times the normal number of deaths for the city at this time of year a surge in deaths much larger than what could be attributed to normal seasonal variations from influenza heart disease or other more common causes the citys largest mass casualty event in recent memory the terrorist attacks of sept 11 2001 claimed only a small fraction as many livesit is too soon to know the precise causes of death for new yorkers in this period although many of the deaths not currently attributed to coronavirus may represent an undercount of the outbreaks direct toll the broader effects of the pandemic might have also increased deaths indirectly throughout the city emergency rooms have been overcrowded ambulance response has been slowed and many residents might have been reluctant to seek medical care because of fears of contracting the virus hospitals around the country have reported reductions in admission for heart attacks one sign that some people may be dying at home from ailments they would survive during more normal timesthe measurements in our chart rely on a new york times analysis of mortality data from the citys department of health and from the national center for health statistics at the centers for disease control and prevention they capture the number of new york city residents who have died each week since january 2017 the total number of deaths for the period from the start of the outbreak march 11 through april 25 comes from the city health department the way in which these deaths are distributed by week is an approximation based on how mortality data has lagged in the pasteven with these high totals the recent numbers in our charts are most likely an undercount of all deaths in the city in normal times death certificates take time to be processed and collected and complete death tallies can take weeks to become final but even if the current count is perfect roughly 27600 new yorkers have died of all causes since the beginning of the epidemic thats about 20900 more than is typical", + "https://www.nytimes.com/", + "TRUE", + 0.15400724275724278, + 461 + ], + [ + "Are antibiotics effective in preventing and treating the new coronavirus?", + "no antibiotics do not work against viruses only bacteriathe new coronavirus 2019ncov is a virus and therefore antibiotics should not be used as a means of prevention or treatmenthowever if you are hospitalized for the 2019ncov you may receive antibiotics because bacterial coinfection is possible", + "https://www.who.int/", + "TRUE", + 0.04545454545454545, + 45 + ], + [ + "Can someone who has had COVID-19 spread illness to others?", + "the virus that causes covid19 is spreading from persontoperson people are thought to be most contagious when they are symptomatic the sickest that is why cdc recommends that these patients be isolated either in the hospital or at home depending on how sick they are until they are better and no longer pose a risk of infecting others more recently the virus has also been detected in asymptomatic personshow long someone is actively sick can vary so the decision on when to release someone from isolation is made using a testbased or nontestbased strategy ie time since illness started and time since recovery in consultation with state and local public health officials the decision involves considering the specifics of each situation including disease severity illness signs and symptoms and the results of laboratory testing for that patientlearn more about cdcs guidance on when to release someone from isolation and discharge hospitalized patients with covid19 for information on when someone who has been sick with covid19 is able to stop home isolation see interim guidance for discontinuation of inhome isolation for patients with covid19someone who has been released from isolation is not considered to pose a risk of infection to others", + "https://www.cdc.gov/", + "TRUE", + 0.025595238095238088, + 200 + ], + [ + "Investigation of a COVID-19 outbreak in Germany resulting from a single travel-associated primary case: a case series", + "in december 2019 the newly identified severe acute respiratory syndrome coronavirus sarscov2 emerged in wuhan china causing covid19 a respiratory disease presenting with fever cough and often pneumonia who has set the strategic objective to interrupt spread of sarscov2 worldwide an outbreak in bavaria germany starting at the end of january 2020 provided the opportunity to study transmission events incubation period and secondary attack rates\nmethodsa case was defined as a person with sarscov2 infection confirmed by rtpcr case interviews were done to describe timing of onset and nature of symptoms and to identify and classify contacts as high risk had cumulative facetoface contact with a confirmed case for 15 min direct contact with secretions or body fluids of a patient with confirmed covid19 or in the case of healthcare workers had worked within 2 m of a patient with confirmed covid19 without personal protective equipment or low risk all other contacts highrisk contacts were ordered to stay at home in quarantine for 14 days and were actively followed up and monitored for symptoms and lowrisk contacts were tested upon selfreporting of symptoms we defined fever and cough as specific symptoms and defined a prodromal phase as the presence of nonspecific symptoms for at least 1 day before the onset of specific symptoms whole genome sequencing was used to confirm epidemiological links and clarify transmission events where contact histories were ambiguous integration with epidemiological data enabled precise reconstruction of exposure events and incubation periods secondary attack rates were calculated as the number of cases divided by the number of contacts using fishers exact test for the 95 cispatient 0 was a chinese resident who visited germany for professional reasons 16 subsequent cases often with mild and nonspecific symptoms emerged in four transmission generations signature mutations in the viral genome occurred upon foundation of generation 2 as well as in one case pertaining to generation 4 the median incubation period was 40 days iqr 2343 and the median serial interval was 40 days 3050 transmission events were likely to have occurred presymptomatically for one case possibly five more at the day of symptom onset for four cases possibly five more and the remainder after the day of symptom onset or unknown one or two cases resulted from contact with a case during the prodromal phase secondary attack rates were 750 95 ci 190990 three of four people among members of a household cluster in common isolation 100 12320 two of 20 among household contacts only together until isolation of the patient and 51 2689 11 of 217 among nonhousehold highrisk contactsalthough patients in our study presented with predominately mild nonspecific symptoms infectiousness before or on the day of symptom onset was substantial additionally the incubation period was often very short and falsenegative tests occurred these results suggest that although the outbreak was controlled successful longterm and global containment of covid19 could be difficult to achieve", + "https://www.thelancet.com/", + "TRUE", + 0.09011742424242426, + 484 + ], + [ + "Coronavirus: How long does it take to recover?", + "more than one million people around the world are known to have recovered from coronavirus according to johns hopkins university but the road back to full health is not the same for everyonerecovery time will depend on how sick you became in the first place some people will shrug off the illness quickly but for others it could leave lasting problemsage gender and other health issues all increase the risk of becoming more seriously ill from covid19are ethnic minorities being hit hardest by coronavirushow does coronavirus affect childrencoronavirus what is the risk to men over 50the more invasive the treatment you receive and the longer it is performed the longer recovery is likely to takewhat if i have only mild symptomsmost people who get covid19 will develop only the main symptoms a cough or fever but they could experience body aches fatigue sore throat and headachethe cough is initially dry but some people will eventually start coughing up mucus containing dead lung cells killed by the virusthese symptoms are treated with bed rest plenty of fluids and pain relief such as paracetamolpeople with mild symptoms should make a good and speedy recoverythe fever should settle in less than a week although the cough may linger a world health organization who analysis of chinese data says it takes two weeks on average to recoverwhat if i have more serious symptomsthe disease can become much more serious for some this tends to happen about seven to 10 days into the infectionthe transformation can be sudden breathing becomes difficult and the lungs get inflamed this is because although the bodys immune system is trying to fight back its actually overreacting and the body experiences collateral damagesome people will need to be in hospital for oxygen therapygp sarah jarvis says the shortness of breath may take some considerable time to improve the body is getting over scarring and inflammationshe says it could take two to eight weeks to recover with tiredness lingeringwhat if i need intensive carethe who estimates one person in 20 will need intensive care treatment which can include being sedated and put on a ventilatorit will take time to recover from any spell in an intensive or critical care unit icu no matter what the illness patients are moved to a regular ward before going homedr alison pittard dean of the faculty of intensive care medicine says it can take 12 to 18 months to get back to normal after any spell in critical care\nspending a long time in a hospital bed leads to muscle mass loss patients will be weak and muscle will take time to build up again some people will need physiotherapy to walk againbecause of what the body goes through in icu theres also the possibility of delirium and psychological disorders\nthere does seem to be an added element with this disease viral fatigue is definitely a huge factor says paul twose critical care physiotherapist at cardiff and vale university health boardthere have been reports from china and italy of wholebody weakness shortness of breath after any level of exertion persistent coughing and irregular breathing plus needing a lot of sleepwe do know patients take a considerable period potentially months to recoverbut it is hard to generalise some people spend relatively short periods in critical care while others are ventilated for weekswill coronavirus affect my health longtermwe dont know for sure as there is no longterm data but we can look at other conditionsacute respiratory distress syndrome called ards develops in patients whose immune systems go into overdrive causing damage to the lungsthere is really good data that even five years down the line people can have ongoing physical and psychological difficulties says mr twosedr james gill a gp and lecturer at warwick medical school says people also need mental health support to improve recoveryyoure finding breathing difficult then the doctor says we need to put you on a ventilator we need to put you to sleep do you want to say goodbye to your familyptsd posttraumatic stress disorder in these most severe patients is not unsurprising there will be significant psychological scars for manythere remains the possibility that even some mild cases may leave patients with longterm health problems such as fatiguehow many people have recoveredgetting an accurate figure is difficultas of 1 may johns hopkins university reported more than 1021000 people had recovered out of 32 million people known to have been infected around the worldbut countries use different recording methods some are not publishing recovery figures and many mild infections will be missedmathematical models have estimated between 99995 of people recovercan i catch covid19 againthere has been much speculation but little evidence on how durable any immunity is if patients have successfully fought off the virus they must have built up an immune responsereports of patients being infected twice may just be down to tests incorrectly recording they were free of the virusthe immunity question is vital for understanding whether people can be reinfected and how effective any vaccine may be\n", + "https://www.bbc.com/", + "TRUE", + 0.09780474155474154, + 838 + ], + [ + "Can the virus that causes COVID-19 be spread through food, including restaurant take out, refrigerated or frozen packaged food?", + "coronaviruses are generally thought to be spread from person to person through respiratory droplets currently there is no evidence to support transmission of covid19 associated with food before preparing or eating food it is important to always wash your hands with soap and water for at least 20 seconds for general food safety throughout the day use a tissue to cover your coughing or sneezing and wash your hands after blowing your nose coughing or sneezing or going to the bathroomit may be possible that a person can get covid19 by touching a surface or object like a packaging container that has the virus on it and then touching their own mouth nose or possibly their eyes but this is not thought to be the main way the virus spreadsin general because of poor survivability of these coronaviruses on surfaces there is likely very low risk of spread from food products or packaging", + "https://www.cdc.gov/", + "TRUE", + 0.1077777777777778, + 153 + ], + [ + "It’s been sequenced. It’s spread across borders. Now the new pneumonia-causing virus needs a name", + "ebola sars swine flu mers with the reality that a previously unknown animal virus has started infecting people the world faces a recurring question what does one call it the pneumoniacausing virus which is spreading rapidly in china and beyond is currently being identified as 2019ncov shorthand for a novel or new ie n coronavirus cov that was first detected in 2019 the disease it causes doesnt yet have a name either though wuhan sars or wu flu are among of the options being thrown around on the internet none of these is likely to be the virus or the diseases permanent name they almost certainly would be unacceptable to the chinese and to the world health organization which discourages the use of place names in the naming of diseases as for the virus the longer it spreads the less novel it becomes 2019ncov is a bit like calling a daughter the girl born in 2019 given that another daughter might be born in 2021 a name that might more easily distinguish between the two is probably in order so how to name it and who gets to name it so how to name it and who gets to name it traditionally naming rights actually belong to the scientists who first isolate a virus who will at some point propose a name to a study group of the international committee on taxonomy of viruses said ralph baric a coronavirus expert who sits on that panel that groups next scheduled meeting is in may its possible the who could work in conjunction with the committee to name the new virus ron fouchier a dutch virologist who knows a thing or two about virus naming controversies said he contacted the former chair of the coronavirus study group on wednesday and urged him to start the process of coming up with a workable name sooner rather than later if nobody steps in quick then i think that the name the lay press is going to give it is probably whats going to fly fouchier told statthat might mean this virus and disease become known by the name of the city currently quarantined to stop the viruss spread wuhan ncov is not going to fly for long fouchier said and if they dont do it in an authoritative way then other people will come up with a name it was the who that chose the name sars and was involved in the negotiations that settled on the name mers though who now uses mers as an example of what not to do when naming a disease since it evokes a specific region the acronym is short for middle east respiratory syndrome that experts now agree can be seen as disparaging the scientists who investigated the first known ebola outbreak were aware of the risk of leaving an indelible stain on a particular place that team led by legendary virus hunter karl johnson traveled to yambuku in what was then zaire now the democratic republic of the congo in 1976 to try to determine what was killing people who worked in or sought care at a hospital run by belgian nuns johnson proposed that the virus be called ebola after a river he spotted on a map roughly 40 miles away from where the outbreak was taking place according to a report of the outbreak response published in 2016 yambuku was spared the infamy of being the name of a highly deadly virus in the case of what is now known as sars officials at the who moved early to name the new disease the global health agency alerted the world to the fact a new virus was spreading from china on wednesday march 12 2003 by saturday the disease had a name the reason we named it was we didnt want the press or some other group to name it with a stigmatizing name said dr david heymann who led the whos sars response and who was one of a small group of people who came up with the name heymann who is now a professor at the london school of hygiene and tropical medicine said they wanted an easytosay acronym like aids or hiv that would also be easy to remember they decided on words that described the condition formed an acronym and didnt or so they thought at the time label any area as the source of the virus severe acute respiratory syndrome or sars was born it was only later that the similarity to hong kongs status as an sar special administrative region within china was recognized hong kong suffered mightily from sars and did not appreciate the fact that the virus which originated in china appeared to hint at a hong kong origin likewise the naming of mers created bad blood when a new coronavirus that jumped from camels to people emerged in saudi arabia in 2012 when the virus was first isolated at erasmus university in rotterdam in the netherlands it was called hcovksa1 for human coronavirus from the kingdom of saudi arabia the kingdom which was already mad that a specimen from a sick saudi had been shipped to the netherlands without its knowledge got madder fouchier who led the work to isolate the virus recalled the dutch team then tried emc1 thinking it could name the pathogen after erasmus medical center the saudis were still not happy the international committee on taxonomy of viruses the saudi arabian government and the who eventually negotiated the issue and settled on mers since then the who has published guidance on the naming of new human diseases dont name them after countries or regions dont name them after people dont name them after the animals they come from the swine flu pandemic of 2009 was quickly relabeled when angry pork producers complained about sharp drops in pork sales its easier to describe what viruses and diseases should not be called than to suggest what might work people in my lab are trying to come up with names said baric a coronavirus researcher at the university of north carolina two candidates have already been rejected south east asia respiratory syndrome or sears for obvious reasons and chinese acute respiratory syndrome cars because that kind of sounds stupid he said", + "https://www.statnews.com/", + "TRUE", + 0.06298779722692767, + 1047 + ], + [ + "Are children also at risk of infection and what is their potential role in transmission?", + "children make up a very small proportion of reported covid19 cases with about 1 of all cases reported being under 10 years and 4 aged 1019 years children appear as likely to be infected as adults but they have a much lower risk than adults of developing symptoms or severe disease there is still some uncertainty about the extent to which asymptomatic or mildly symptomatic children transmit disease", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.021666666666666657, + 68 + ], + [ + "Preventing the spread of the coronavirus", + "youve gotten the basics down youre washing your hands regularly and keeping your distance from friends and family but you likely still have questions are you washing your hands often enough how exactly will social distancing help whats okay to do while social distancing and how can you strategically stock your pantry and medicine cabinet in order to minimize trips to the grocery store and pharmacy what can i do to protect myself and others from covid19 the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sick cover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak wash your hands often with soap and water this chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system\nwhat do i need to know about washing my hands effectively wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry always wash hands with soap and water if hands are visibly dirty the cdcs handwashing website has detailed instructions and a video about effective handwashing procedures how does coronavirus spread the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in public coronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes how could contact tracing help slow the spread of covid19 anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptoms the contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomswhat is social distancing and why is it important the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectant social distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community level slowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients what types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medicationsprescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat rotein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner what precautions can i take when grocery shopping the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through food safety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your face in the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your homewhat precautions can i take when unpacking my groceries recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated after unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants thoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store what should and shouldnt i do during this time to avoid exposure to and spread of this coronavirus for example what steps should i take if i need to go shopping for food and staples what about eating at restaurants ordering takeout going to the gym or swimming in a public pool\nthe answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your family if you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to go here are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with otherswhat can i do when social distancing try to look at this period of social distancing as an opportunity to get to things youve been meaning to do though you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperating kids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the virus pull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every evening its important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to call if all else fails go to bed early and get some extra sleep should i wear a face mask the cdc now recommends that everyone in the us wear nonsurgical masks when going out in public coronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come in a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hours what kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowingly while n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workers some parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your mask surgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancing the cdc has information on how to make wear and clean nonsurgical masks the who offers videos and illustrations on when and how to use a mask is it safe to travel by airplane stay current on travel advisories from regulatory agencies this is a rapidly changing situation anyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane is there a vaccine available no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works can a person who has had coronavirus get infected again while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could want over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen beforewill a pneumococcal vaccine help protect me against coronavirus vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnessesmy husband and i are in our 70s im otherwise healthy my husband is doing well but does have heart disease and diabetes my grandkids school has been closed for the next several weeks wed like to help out by watching our grandkids but dont know if that would be safe for us can you offer some guidance\npeople who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safestcan my pet infect me with the virus that causes covid19at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with petswhat can i do to keep my immune system strongyour immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your dietexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressure if you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth should i go to the doctor or dentist for nonurgent appointments during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matter as an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice should i postpone my elective surgeryits likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.09083177911241154, + 3235 + ], + [ + "Can an ultraviolet disinfection lamp kill the new coronavirus?", + "uv lamps should not be used to sterilize hands or other areas of skin as uv radiation can cause skin irritation", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + -0.125, + 21 + ], + [ + "Genomic Study Points to Natural Origin of COVID-19", + "no matter where you go online these days theres bound to be discussion of coronavirus disease 2019 covid19 some folks are even making outrageous claims that the new coronavirus causing the pandemic was engineered in a lab and deliberately released to make people sick a new study debunks such claims by providing scientific evidence that this novel coronavirus arose naturallythe reassuring findings are the result of genomic analyses conducted by an international research team partly supported by nih in their study in the journal nature medicine kristian andersen scripps research institute la jolla ca robert garry tulane university school of medicine new orleans and their colleagues used sophisticated bioinformatic tools to compare publicly available genomic data from several coronaviruses including the new one that causes covid19the researchers began by homing in on the parts of the coronavirus genomes that encode the spike proteins that give this family of viruses their distinctive crownlike appearance by the way corona is latin for crown all coronaviruses rely on spike proteins to infect other cells but over time each coronavirus has fashioned these proteins a little differently and the evolutionary clues about these modifications are spelled out in their genomesthe genomic data of the new coronavirus responsible for covid19 show that its spike protein contains some unique adaptations one of these adaptations provides special ability of this coronavirus to bind to a specific protein on human cells called angiotensin converting enzyme ace2 a related coronavirus that causes severe acute respiratory syndrome sars in humans also seeks out ace2existing computer models predicted that the new coronavirus would not bind to ace2 as well as the sars virus however to their surprise the researchers found that the spike protein of the new coronavirus actually bound far better than computer predictions likely because of natural selection on ace2 that enabled the virus to take advantage of a previously unidentified alternate binding site researchers said this provides strong evidence that that new virus was not the product of purposeful manipulation in a lab in fact any bioengineer trying to design a coronavirus that threatened human health probably would never have chosen this particular conformation for a spike proteinthe researchers went on to analyze genomic data related to the overall molecular structure or backbone of the new coronavirus their analysis showed that the backbone of the new coronaviruss genome most closely resembles that of a bat coronavirus discovered after the covid19 pandemic began however the region that binds ace2 resembles a novel virus found in pangolins a strangelooking animal sometimes called a scaly anteater this provides additional evidence that the coronavirus that causes covid19 almost certainly originated in nature if the new coronavirus had been manufactured in a lab scientists most likely would have used the backbones of coronaviruses already known to cause serious diseases in humansso what is the natural origin of the novel coronavirus responsible for the covid19 pandemic the researchers dont yet have a precise answer but they do offer two possible scenariosin the first scenario as the new coronavirus evolved in its natural hosts possibly bats or pangolins its spike proteins mutated to bind to molecules similar in structure to the human ace2 protein thereby enabling it to infect human cells this scenario seems to fit other recent outbreaks of coronaviruscaused disease in humans such as sars which arose from catlike civets and middle east respiratory syndrome mers which arose from camelsthe second scenario is that the new coronavirus crossed from animals into humans before it became capable of causing human disease then as a result of gradual evolutionary changes over years or perhaps decades the virus eventually gained the ability to spread from humantohuman and cause serious often lifethreatening diseaseeither way this study leaves little room to refute a natural origin for covid19 and thats a good thing because it helps us keep focused on what really matters observing good hygiene practicing social distancing and supporting the efforts of all the dedicated healthcare professionals and researchers who are working so hard to address this major public health challengefinally next time you come across something about covid19 online that disturbs or puzzles you i suggest going to femas new coronavirus rumor control web site it may not have all the answers to your questions but its definitely a step in the right direction in helping to distinguish rumors from facts", + "https://directorsblog.nih.gov/", + "TRUE", + 0.09215976731601733, + 725 + ], + [ + "How to Protect Yourself and Prepare for the Coronavirus", + "with a clear head and some simple tips you can help reduce your risk prepare your family and do your part to protect othersthe coronavirus continues to spread worldwide with over 12 million confirmed cases and at least 72000 dead in the united states there have been at least 350000 cases and more than 10500 deaths according to a new york times databasethe coronavirus is spreading very quickly older americans those with underlying health conditions and those without a social safety net are the most vulnerable to the infection and to its societal disruptionthough life as we know it is sharply off kilter there are measures you can takemost important do not panic with a clear head and some simple tips you can help reduce your risk prepare your family and do your part to protect others", + "https://www.nytimes.com/", + "TRUE", + 0.0536096256684492, + 137 + ], + [ + "When are people with coronavirus most contagious?", + "people can be contagious without symptoms and in fact a little bit strangely in this case people tend to be the most contagious before they develop symptoms if theyre going to develop symptoms cnn chief medical correspondent dr sanjay gupta saidthey call that the presymptomatic period so people tend to have more virus at that point seemingly in their nose in their mouth this is even before they get sick and they can be shedding that virus into the environmentsome people infected with coronavirus never get symptoms but its easy for these asymptomatic carriers to infect others said dr anne rimoin an epidemiology professor at uclas school of public healthwhen you speak sometimes youll spit a little bit she said youll rub your nose youll touch your mouth youll rub your eyes and then youll touch other surfaces and then you will be spreading virus if you are infected and shedding asymptomaticallythats why health officials suggest everyone wear a face mask while in public", + "https://www.cnn.com/", + "TRUE", + 0.015367965367965364, + 164 + ], + [ + "What is contact tracing, why is it important, and how is it done?", + "contract tracing is a core public health function that public health agencies have done for years diagnostic tests can confirm whether a person is infected with an illness contact tracing involves finding out who the infected person had contacts with so that those individuals can be alerted that they are at a risk of developing the illness and at risk of potentially infecting others in the communityduring contact tracing the contacts of the infected person are generally called up asked if theyre feeling sick and advised to selfquarantine for a period of time during the quarantine period the health of the contacts can be monitored and health care or other services could be provided to them if they do develop symptoms also it is important to make sure that people who have been exposed to the illness are not circulating in the community and further spreading the disease", + "https://www.globalhealthnow.org/", + "TRUE", + 0.012301587301587306, + 148 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "What are cytokine storms and what do they have to do with COVID-19?", + "a cytokine storm is an overreaction of the bodys immune system in some people with covid19 the immune system releases immune messengers called cytokines into the bloodstream out of proportion to the threat or long after the virus is no longer a threatwhen this happens the immune system attacks the bodys own tissues potentially causing significant harm a cytokine storm triggers an exaggerated inflammatory response that may damage the liver blood vessels kidneys and lungs and increase formation of blood clots throughout the body ultimately the cytokine storm may cause more harm than the coronavirus itselfa simple blood test can help determine whether someone with covid19 may be experiencing a cytokine storm trials in countries around the world are investigating whether drugs that have been used to treat cytokine storms in people with other noncovid conditions could be effective in people with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13999999999999999, + 143 + ], + [ + "What is a novel coronavirus?", + "a novel coronavirus is a new coronavirus that has not been previously identified the virus causing coronavirus disease 2019 covid19 is not the same as the coronaviruses that commonly circulate among humans and cause mild illness like the common colda diagnosis with coronavirus 229e nl63 oc43 or hku1 is not the same as a covid19 diagnosis patients with covid19 will be evaluated and cared for differently than patients with common coronavirus diagnosis", + "https://www.cdc.gov/", + "TRUE", + -0.06632996632996632, + 72 + ], + [ + "There have been news reports that the coronavirus epidemic will last for 18 months or longer and come in multiple waves. If so, how long will social distancing be necessary in that situation?", + "this pandemic will last until most people are immune whether through vaccination or from having gotten the illness covid19 and recovered the 18month figure comes from reports that we wont have a vaccine in less than 18 months but that would be in unprecedented in recordbreaking time well eventually have a vaccine but that may be in 18 months or 5 years from nowi think there will be waves of the epidemic across the us whats happening now in seattle and new york and to a lesser extent in san francisco will happen in baltimore and dallas at different times each wave will last a couple of monthsfrom valley to peak to valley as we begin to relax social distancing effortswhich we will have to do because society cant stay like thisthe disease will start to come back the hope is that it will return more slowly because there are fewer susceptible hosts well have more ubiquitous testing and more targeted interventions instead of the sledgehammer were using now", + "https://www.globalhealthnow.org/", + "TRUE", + 0.1645021645021645, + 169 + ], + [ + "Surfaces? Sneezes? Sex? How the Coronavirus Can and Cannot Spread", + "what you need to know about how the virus is transmitteda delicate but highly contagious virus roughly one900th the width of a human hair is spreading from person to person around the world the coronavirus as its known has already infected more than 200000 people in 140 countriesbecause this virus is so new experts understanding of how it spreads is limited they can however offer some guidance about how it does and does not seem to be transmittedif i cross paths with a sick person will i get sick tooyou walk into a crowded grocery store a shopper has the coronavirus what puts you most at risk of getting infected by that personexperts agree they have a great deal to learn but four factors are likely to play some role how close you get how long you are near the person whether that person projects viral droplets on you and how much you touch your face of course your age and health are also major factors\nalso the larger the number of people in the store or in any other situation the greater the chance that youll cross paths with an infected person which is why so many health officials are now urging people to avoid crowds and to cancel gatherings large and smallwhats a viral dropletit is a droplet containing viral particles a virus is a tiny codependent microbe that attaches to a cell takes over makes more of itself and moves on to its next host this is its lifestyle said gary whittaker a professor of virology at the cornell university college of veterinary medicinea naked virus cant go anywhere unless its hitching a ride with a droplet of mucus or saliva said kinon kwok a professor at the jockey club school of public health and primary care at the chinese university of hong kongthese mucus and saliva droplets are ejected from the mouth or the nose as we cough sneeze laugh sing breathe and talk if they dont hit something along the way they typically land on the floor or the ground when the virus becomes suspended in droplets smaller than five micrometers known as aerosols it can stay suspended for about a halfhour research suggests to gain access to your cells the viral droplets must enter through the eyes the nose or the mouth some experts believe that sneezing and coughing are most likely the primary forms of transmission professor kwok said talking facetoface or sharing a meal with someone could pose a riskjulian tang a virologist and a professor at the university of leicester in england who is researching the coronavirus with professor kwok agreedif you can smell what someone had for lunch garlic curry etc you are inhaling what they are breathing out including any virus in their breath he saidthe virus does not linger in the air at high enough levels to be a risk to most people but the techniques health care workers use to care for sick people can generate high levels of aerosols this is part of why its so important that they have proper protective equipmenthow close is too closethe centers for disease control and prevention recommends keeping a distance of six feet from other people to minimize the possibility of infection a useful way to think about six feet is that its roughly twice the length of the average persons extended armthree feet is the distance the who emphasizes as particularly risky when standing near a person who is coughing or sneezingstill other public health experts say that at this crucial moment when the world still has an opportunity to slow the transmission of the coronavirus any number of feet is too close by cutting out all but essential inperson interactions we can help flatten the curve they say keeping the number of sick people to levels that medical providers can managehow long is too long to be near an infected personits not yet clear but most experts agree that more time equals more riskwill you know a person is sicknot necessarilyfever coughing chest pain and shortness of breath may signal that someone has been infected with the coronavirus covid19 is the name for the disease caused by the virusbut it has become increasingly clear that people without symptoms can also infect others in some cases these people may later feel terrible enough to try to get tested isolate themselves seek treatment and notify friends and colleagues about potential risk in still other cases people with the virus may never experience the physical discomfort that would tip them off to the fact that they have been a danger to others can the virus last on a bus pole a touch screen or other surfaceyes after numerous people who attended a buddhist temple in hong kong fell ill the citys center for health protection collected samples from the site restroom faucets and the cloth covers over buddhist texts tested positive for the coronavirus the agency saidthis coronavirus is just the latest of many similarly shaped viruses coronaviruses are named for the spikes that protrude from their surfaces which resemble a crown or the suns coronaa recent study of the novel coronavirus found that it could live for three days on plastic and steel if you are ordering lots of supplies online you may be relieved to know that the virus did poorly on cardboard it disintegrated over the course of a day it survived for about four hours on copperwhether a surface looks dirty or clean is irrelevant if an infected person sneezed and a droplet landed on a surface a person who then touched that surface could pick it up how much is required to infect a person is unclearbut as long as you wash your hands before touching your face you should be ok because viral droplets dont pass through skinalso coronaviruses are relatively easy to destroy using a simple disinfectant on a surface is nearly guaranteed to break the delicate envelope that surrounds the tiny microbe rendering it harmless professor whittaker saiddoes the brand or type of soap you use matterno several experts saidmy neighbor is coughing should i be worriedthere is no evidence that viral particles can go through walls or glass said dr ashish k jha director of the harvard global health institutehe said he was more concerned about the dangers posed by common spaces than those posed by vents provided there is good air circulation in a room\nan infected neighbor might sneeze on a railing and if you touched it that would be a more natural way to get it from your neighbor he saidcan i get it from making out with someonekissing could definitely spread it several experts saidthough coronaviruses are not typically sexually transmitted its too soon to know the who saidis it safe to eat where people are sick with the coronavirusif a sick person handles the food or its a hightraffic buffet then risks cannot be ruled out but heating or reheating food should kill the virus professor whittaker saiddr jha concurredas a general rule we havent seen that food is a mechanism for spreading he saidcan my dog or cat safely join me in quarantinethousands of people have already begun various types of quarantines some have been mandated by health officials while others are voluntary and primarily involve staying homecan a cat or dog join someone to make quarantine less lonelyprofessor whittaker who has studied the spread of coronaviruses in animals and humans said that he had seen no evidence that people who have the virus could be a danger to their pets", + "https://www.nytimes.com/", + "TRUE", + 0.04261382623224729, + 1266 + ], + [ + "What should I do if I or someone in my household is sick with COVID-19?", + "if you have a fever or cough you might have covid19 most people have mild symptoms and are able to recover at home keep track of your symptoms and get medical attention right away if you experience trouble breathing or another emergency warning signread the cdcs instructions for what to do if you are sick or caring for someone who is sick", + "https://www.chop.edu/", + "TRUE", + -0.0011904761904761862, + 62 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "Fauci: There might be \"merit\" to the idea of coronavirus immunity certificates", + "dr anthony fauci said friday on cnns new day the idea of americans carrying certificates of immunity to prove they have tested positive for the antibodies to the coronavirus might have some merit under certain circumstances fauci the director of the national institute of allergy and infectious diseases told cnns alisyn camerota immunity certificates are being discussedits one of those things that we talk about when we want to make sure that we know who the vulnerable people are and not he said fauci added that these antibody tests will be important for medical workers and others on the frontline who are fighting the current pandemicif their antibody test is positive one can formulate strategies about whether or not they would be at risk or vulnerable to getting reinfected this would be important for health care workers for firstline fighters he said", + "https://edition.cnn.com/", + "TRUE", + 0.10047225501770955, + 142 + ], + [ + "False claim: \"the Coronavirus\" is designed and any vaccine that is developed could infect you with the disease", + "a facebook group shared an image on facebook that claims that viruses including the coronavirus are designed and that the coronavirus vaccine will infect you with the virus see herethe claim is referring to covid19 the new coronavirus strain first reported in wuhan china on 31 december 2019 more information can be found here \nthe claim that coronavirus is designed is unfounded cdc explains the source of covid19 was most likely a large seafood and live animal market in wuhan china see here covid19 is believed to have spread from an animal to a person much like mers and sars there is no indication or publicly available evidence suggesting that the coronavirus was designedthe melinda and bill gates foundation did fund a research center in england called the pirbright institute see here more on the institute wwwpirbrightacuk which is named in the misleading post the pirbright institute specializes in the study of viruses that affect farm animals and viruses which transfer from animals to people but they do not own a patent on the covid19 coronavirus the pirbright institute has a patent for a type of coronavirus affecting animals primarily chickens which can be seen here the pirbright institute addressed the confusion between their patent and the novel coronavirus covid19 \nthe pirbright institute carries out research on infectious bronchitis virus ibv here a coronavirus that infects poultry and porcine deltacoronavirus that infects pigs pirbright does not currently work with human coronaviruses more information on our coronavirus livestock research can be found on our website \nthe post claims the cdc will soon say a vaccine is available for ebola zika andor corona there is already a vaccine for a certain strain of ebola see here no vaccines are currently publicly available for zika see here there is still no vaccine available for covid19 the image further claims the vaccine will contain the virus if you get vaccinated you might become infected with the virus some vaccines do contain a version of the virus that has been weakened but it will not give you the disease its vaccinating against the cdc clearly describes how vaccination works here the cdc explains vaccines help develop immunity by imitating an infection this type of infection however almost never causes illness but it does cause the immune system to produce tlymphocytes and antibodies sometimes after getting a vaccine the imitation infection can cause minor symptoms such as fever such minor symptoms are normal and should be expected as the body builds immunity there are multiple types of vaccines some not all vaccines use parts of a virus to strengthen the immune system to it and this is done in a medical scientific process see here safe vaccines pass many stages before becoming available to the public see more on this here verdict false the coronavirus is not designed bill gates did not patent covid19 and there is still no vaccine some vaccines work by injecting small doses of parts of a virus in a medically safe way", + "https://www.reuters.com/", + "TRUE", + 0.17169913419913424, + 501 + ], + [ + "With children, keep calm, carry on and get the flu shot", + "the good news is that cases in children have been very rareright now theres little reason for parents to worry about their children the experts say coronavirus cases in children have been very rarethe flu vaccine is a must as vaccinating children is good protection for older people and take the same precautions you would during a normal flu season encourage frequent handwashing move away from people who appear sick and get the flu shotas in airplanes its always best to make sure your metaphorical oxygen mask is on before helping others when talking to your children about an outbreak make sure that you first assess their knowledge of the virus and that you process your own anxiety its important that you dont dismiss their fears and that you speak to them at an ageappropriate levelbe sure to be in communication with your childs school including about early dismissals or possible online instruction be prepared for schools to close many districts and universities around the world have already taken that stepits also good to communicate with your workplace about childcare concerns that you haveif your children are stuck at home get some games going turn on a movie and try to make it feel a little like a vacation at least for the first few daysfor more information about children and the pandemic read 11 questions parents may have about coronavirus", + "https://www.nytimes.com/", + "TRUE", + 0.23805114638447972, + 231 + ], + [ + "Open Windows. Don’t Share Food. Here’s the U.S. Government’s Coronavirus Advice.", + "the trump administration released several pages of simple behaviors for keeping schools homes and businesses safe during a coronavirus outbreakthe trump administration on monday night issued several pages of tips for navigating the coronavirus organizing a set of recommendations for schools businesses homes and offices into a document that resembles easyontheeye restaurant foodsafety chartsthe simple behaviors recommended in the guidelines like washing hands managing air flow protecting food and carving out private space in a home show how federal health officials believe the virus could influence everyday lifethese are really simple lowtech things dr anthony s fauci the director of the national institute of allergy and infectious diseases and a key member of the trump administrations coronavirus task force said at a white house news briefing theres nothing in there thats complicated but its just stated in a way thats clear that people can understandafter the briefing vice president mike pence posted images of the guidelines on twitter they are expected to also be published on coronavirusgov a federal hub of virus information where the centers for disease control and prevention has already posted similar advicehere is what the guidelines recommend\nhow to navigate the officestay home if you or family members who live with you are sick several top health officials have repeatedly urged americans to not risk going to work if they come down with symptoms that might indicate an infectionuse the usual electronic means of work life like email to remind yourself to wash your hands devise ways to remember to not touch your face and avoid shaking hands noncontact methods of greeting are preferableinstead of inperson meetings the guidelines suggest teleconferencing if meetings are held in person they should be in open wellventilated rooms open windows will helpthe world health organization warns that poorly ventilated buildings affect air quality and can contribute to the spread of disease and that in health facilities with a high concentration of infectious patients poor ventilation worsens the risk of transmissionhow to divide a home\ndivvy up your home to account for the elderly or those with underlying conditions that make them particularly susceptible to infection make a protected space for those at risk and give the sick their own rooms where the door should be kept closed only one person should care for the illhealthy people in your home should act as if they could be a risk to the vulnerable washing their hands frequently before interacting with themhow to keep a school safeschools should avoid mixing ages and consider adjusting or postponing inschool and extracurricular gatherings that intermingle classes and grades classes should be held outdoors if possible or anywhere well ventilatedstudents should limit sharing food and cafeteria workers should practice strict hygiene schools should screen cafeteria workers and those they come in contact withhow to protect a businessbusinesses should limit attendance at large gatherings and use online transactions for events avoiding the kind of close contact that occurs at box offices the advice follows news of several large event cancellations including the south by southwest festival in austin texas a major professional tennis tournament in california and a health conference where president trump was scheduled to speakbusinesses should promote tap and pay machines that cut down on the use of cash a notorious germcarrying materialdrivers for ridesharing services and taxis should keep their windows open and regularly disinfect surfaces uber has said it will offer drivers two weeks of paid sick leave if they are infected with the coronavirus or are quarantined", + "https://www.nytimes.com/", + "TRUE", + -0.03371782610154703, + 584 + ], + [ + "WHO says coronavirus came from an animal and was not made in a lab", + "the available evidence indicates coronavirus originated in animals in china late last year and was not manipulated or produced in a laboratory as has been alleged the world health organization said tuesday in a news briefing in geneva it is probable likely that the virus is of animal origin who spokeswoman fadela chaib saidthe global health bodys remarks follow confirmation from president donald trump last week that his administration is investigating whether coronavirus originated in a lab in the chinese city of wuhan where the disease emerged speculation about how coronavirus may have escaped the wuhan institute of virology has circulated among rightwing bloggers and conservative media pundits \ncoronavirus and collegecoronavirus displaced millions of college students who worry how theyre going to vote one suggestion that the virus could be manmade and linked to a chinese biowarfare program has been widely dismissed by scientists under a second scenario the virus was naturally occurring from a bat say but accidentally escaped the research facility because of poor safety protocolsboth notions are based on circumstantial evidence such as the wuhan institute of virologys history of studying coronaviruses in bats the labs proximity to where some of the infections were first diagnosed and chinas lax safety record in its labs chaib said there remain questions over how precisely coronavirus jumped the species barrier to humans but an intermediate animal host is the most likely explanation she said the coronavirus which causes the disease covid19 most probably has its ecological reservoir in batsthe trump administration accused the who of a catalog of errors over its response to the pandemic including failing to adequately prepare for the outbreak raising the alarm too slowly and naively accepting flawed information from chinathe who disputed all the allegations most public health experts dont agree with the trump administrations specific criticisms of the who although they acknowledge that the organization needs reform and lacks transparency the washington post reported over the weekend that american officials working with the who sent back information to the white house about the spread of the virus in the crucial early days of january", + "https://www.usatoday.com/", + "TRUE", + 0.04635416666666666, + 350 + ], + [ + "How can public health advocates encourage citizens to trust their advice in countries roiled by attacks on science?", + "todays communication environment is a sea of rapidly changing information confusion and distrust events shift rapidly and conflicting perspectives opinions and statements and accusations of fake news are common sciencebased information when inconvenient can be contested as just another perspective while repetition is used to establish facts in this environment presenting public health information so it is trusted understood and acted upon is difficult but possible\ntrust is built over time establish credibility by being a reliable source over time so when a crisis occurs people will turn to you\nfocus on what people want to know not just on what you want to communicate one persons important facts can be irrelevant to others\nmake information accessible provide the points and their basis and context clearlywork with others similar information stemming from multiple sources strengthens believability and credibility", + "https://www.globalhealthnow.org/", + "TRUE", + -0.14772727272727273, + 138 + ], + [ + "What can I do when social distancing?", + "try to look at this period of social distancing as an opportunity to get to things youve been meaning to dothough you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperatingkids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the viruspull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every eveningits important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to callif all else fails go to bed early and get some extra sleep", + "https://www.health.harvard.edu/", + "TRUE", + 0.025708616780045344, + 197 + ], + [ + "You can recover from the coronavirus disease (COVID-19). Catching the new coronavirus DOES NOT mean you will have it for life.", + "most of the people who catch covid19 can recover and eliminate the virus from their bodies if you catch the disease make sure you treat your symptoms if you have cough fever and difficulty breathing seek medical care early but call your health facility by telephone first most patients recover thanks to supportive care", + "https://www.who.int/", + "TRUE", + 0.31875000000000003, + 54 + ], + [ + "Does COVID-19 cause strokes? What about blood clots in other parts of the body?", + "strokes occur when the brains blood supply is interrupted usually by a blood clot recently there have been reports of a greaterthanexpected number of younger patients being hospitalized for and sometimes dying from serious strokes these strokes are happening in patients who test positive for coronavirus but who do not have any traditional risk factors for stroke they tend to have no covid19 symptoms or only mild symptoms the type of stroke occurring in these patients typically occurs in much older patientscovidrelated strokes occur because of a bodywide increase in blood clot formation which can damage any organ not just the brain a blood clot in the lungs is called pulmonary embolism and can cause shortness of breath chest pain or death a blood clot in or near the heart can cause a heart attack and blood clots in the kidneys can cause kidney damage requiring dialysiswe dont yet know if the coronavirus itself stimulates blood clots to form or if they are a result of an overactive immune response to the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.007024793388429759, + 173 + ], + [ + "Conspiracy theorists, far-right extremists around the world seize on the pandemic ", + "the coronavirus is providing a global rallying cry for conspiracy theorists and farright extremists on both sides of the atlantic\npeople seizing on the pandemic range from white supremacists and antivaxxers in the us to fascist and antirefugee groups across europe according to a politico review of thousands social media posts and interviews with misinformation experts tracking their online activities they also include farright populists on both continents who had previously tried to coordinate their efforts after the 2016 american presidential election\nnot all online groups peddling messages on the pandemic have links to the far right but those extremists have become especially vocal in using the outbreak to push their political agenda at a time of deepening public uncertainty and economic trauma they are piggybacking on social media to promote coronavirusrelated themes drawn from multiple sources among them russian and chinese disinformation campaigns the trump administrations musings about the coronavirus origins and antimuslim themes from indias nationalist ruling partyhonestly its a dream come true for any and every hate group snake oil salesman and everything in between said tijana cvjetićanin a factchecker in the balkans who has watched ultranationalist groups promoting hatefilled messages on social media about the coronavirus often against jewish communitiescivil rights advocates have warned for months that the coronavirus could aid recruiting for the most extreme whitesupremacist and neonazi groups those actively rooting for societys collapse some online researchers say they also worry about the barrage of false messages from extremist groups feeding what the un has dubbed an infodemic that makes it hard to separate fact from fictionopponents of government lockdown orders have used online platforms to organize protests across the us including rallies where activists displayed guns inside michigans state capitol in europe rumors linking the coronavirus to 5g wireless technology have led to dozens of arson attacks on telecommunications masts a phenomenon that now appears to have spread to canadaits like hitting conspiracy bingo said graham brookie director of the atlantic councils digital forensics research lab which is tracking coronavirus misinformationfrom 4chan to facebookas the world economy craters and the coronavirus global death toll ticks past 280000 people extremist messages are finding fertile ground on fringe online platforms like 4chan telegram and a gamer hangout called discord from there such harmful content can make its way to mainstream sites like facebook and googleowned youtube each boasting roughly 2 billion users apiece despite the companies attempts to weed out violent or dangerous content\nfacebook said last week that one collection of fake accounts and pages it removed in april tied to two antiimmigrant websites in the us had drawn more than 200000 followers with messages including the hashtag chinavirus and a false claim that the coronavirus mainly kills white people twitter announced monday that it would begin more aggressively labeling tweets that contain misleading or harmful coronavirus informationbut plenty of other fake coronavirus content continues to thrive online that includes a slickly produced online video called plandemic that garnered millions of views across youtube twitter and facebook over the weekend by promoting bogus medical cures and other conspiracy theories tied to the coronavirus the video remains in wide circulation\none coronavirusrelated term coronachan has also exploded on social media first emerging in january and drawing more than 120000 shares on twitter in one week in late april according to the institute for strategic dialogue a londonbased think tank that tracks extremist groups the term is a play on the name of 4chan a message board that is a favorite gathering spot for the global far right in germany telegram groups where influential extremists and farright activists attack vulnerable groups have doubled their number of followers to more than 100000 participants since february according to a review by politico of those accountsthe themes of farright posts include longstanding grievances including allegations that migrants spread disease support for president donald trumps proposed border wall antagonism toward the eu or opposition to gun control one online rumor accusing microsoft founder bill gates of creating the coronavirus echoes centuriesold conspiracy theories and antisemitic tropes about global elites pulling the worlds stringsthese arent new lines they are spinning said imran ahmed chief executive of the center for countering digital hate they will use anything they can whether its coronavirus or something else to bring people into their radical worldpublic figures helping stoke the fires include french nationalist leader marine le pen whose facebook account has more than 15 million followers and trump who has defended his use of the term chinese virus and pushed the theory that the disease may have come from a lab in china despite pushback from his intelligence and defense agenciesextremist groups on the two continents have tried before to coordinate their messaging with middling success\nafter trumps surprise victory in 2016 farright online communities sprouted up across the us and europe at first using online platforms like facebook and google before shifting their focus to smaller lessregulated networks to share conspiracy theories or organize protests\namericans like steve bannon trumps former white house chief strategist also tried to export usstyle online tactics in hopes of uniting european rightwing groups like italys northern league party and le pens national rally in france though as politico reported last year he struggled to win over movements on the continentnow as the coronavirus gives the far right a new impetus to find audiences many european activists are wielding the same usstyle tactics they have spent years learning to emulate including the creation of online meme banks of photos designed to spread widely that leaves them less in need of outside help according to researchers tracking their movementseuropes farright no longer needs additional resources from its transatlantic supporters said chloe colliver who heads the digital research unit at the institute for strategic dialogueblaming minorities it does not take much digging through the online platforms to find farright messages on the health crisisin italy extremist news outlets have flooded social media with reports blaming that countrys devastating coronavirus outbreak on migrants including an online attack that singled out a pakistani employee at a chinese restaurant in a northern italian townin france activists called for sending nonwhite populations back to their home countries while le pen the farright leader alleged on facebook that mosques had have taken advantage of the confinement orders by blaring the muezzins call to islamic prayer on loudspeakerstommy robinson the british antiimmigration activist has promoted the germjihad hashtag and reposted online messages from members of indias ruling nationalist bjp party to his more than 36000 followers on telegram according to the center for countering digital hates review of his postsothers on sites like facebook and reddit have alleged that the chinese created the coronavirus as a bioweapon to attack the us economy and will reap the windfall if they are not stopped china will become even more brazen and take down western economies with more filth in the future one reddit user wrotethose claims go much further than the recent speculation by trump and secretary of state mike pompeo that the coronavirus originated in a government lab in wuhan china the president said this month that he thinks the chinese made a horrible mistake and they didnt want to admit it\nwhile some online farright users have jumped on trumps messages others had already been promoting antichina rhetoric before senior us politicians began railing on beijing according to a review of social media posts from early februaryattacking governmentsextremists are also using the coronavirus to call for resistance against their governmentsin telegram channels with tens of thousands of followers users mostly in the us urged people to take up arms to protest the lockdowns and protect their civil liberties sometimes posting photos of themselves dressed in biohazard suits and carrying automatic weapons according to research from the institute for strategic dialogueeuropean farright groups also have called for national governments to reclaim their power from the eu a message primarily focused on countries like greece spain and italy where some people remain bitter about how the bloc treated them during the 2008 financial crisis those countries similarly have seen a spike in russian disinformation campaigns mostly through kremlinbacked media outlets aimed at sowing doubt about europes response to the coronavirus according to a recent review conducted by eu disinformation officials obtained by politicoa far more extreme incident occurred in the us in march when the fbi shot and killed a missouri man who agents said had been plotting to blow up a hospital to call attention to his white supremacist beliefs the man who had posted antisemitic remarks on telegram hours before being killed had chosen the target because of media attention on the health sector during the pandemic the bureau said in a statement quoted by nbc newsmisinformation experts at the oxford internet institute documented facebook groups across 33 states aimed at instigating opposition to quarantine measures that rob people of their freedoms and ability to earn a living according to aliaksandr herasimenka a postdoctoral researcher some had fewer than 10000 members while others had grown much largerthe similarity and design of their facebook groups suggests that many of these protests across individual states are related to each other said herasimenka it might be directed not necessarily managed but directed or inspired by some centralized lobby groups that we dont know exactly what they arefacebook has removed some of the protests from its network after determining they had violated state orders by encouraging people to take actions that could spread the coronavirus but the policy hasnt applied consistently across the social network and facebook has been adamant that it is not policing peoples political opinions the company has often left it to a global network of independent factcheckers to debunk the worst online offenders or counter misinformation by pointing people to credible sourcesseveral of the recently created us facebook groups have been spearheaded by the dorr family brothers who manage a series of aggressively us progun organizations the washington post reported last month one dorrconnected private group called wisconsinites against excessive quarantine attracted 118000 members its pennsylvania affiliate counts 89000 according to a review of these facebook groups the dorrs did not respond to requests for comment through their advocacy organizationsthe audience for this stuff isnt the average american news consumer and im not even sure the audience is the average person stuck at home sheltering in place said philip howard director of the oxford internet institute its people who are reluctant to take any advice or instructions from the government at any time whether its about guidelines on what kinds of guns you can have or whether its healthrelated instructions to stay at home\ntheres only one conversation the antivaccine movement on both continents has also latched onto the coronavirus pandemicmedia matters for america a liberal media watchdog found posts within us facebook groups claiming the pandemic is an effort to force people into accepting vaccines and perhaps even a surreptitious plot to inject people with microchips similar messages appeared in whatsapp messages shared widely in italy which has a longstanding antivaxxer community while groups in france have called for a boycott of any governmentbacked coronavirus vaccine programus antivaccine groups also organized an antilockdown rally this month outside californias state capitol and have taken part in protests in new york colorado and texas using their opposition to stateordered shutdowns as part of a broader message about personal freedom the new york times reported\nother coronavirus themes emerging online include longrunning conspiracy theories blaming the global elites for much of the worlds ills particularly focusing on george soros the hungarianborn billionaire who has long been a target for rightwing and antisemitic groupssince late january attacks against soros and his fellow billionaire gates have shifted to accusing the men of either spreading the coronavirus or capitalizing on it to push a provaccine agenda some facebook users in private online groups seen by politico also questioned whether gates was also jewish gates who has made global public health a priority of his philanthropic efforts has drawn their attention because of a 2015 video in which he discussed the dangers of a future global pandemic\ndiseases have long been used to promote disinformation said ben nimmo director of investigations at graphika the social media analysis firm who has tracked the spread of coronavirus extremist contentbut right now theres only one conversation that everyone is having and thats about the coronavirus he added the disinformation actors know that as well and they are trying to take advantage", + "https://www.msn.com/", + "TRUE", + 0.009727082631274246, + 2085 + ], + [ + "Why outbreaks like coronavirus spread exponentially, and how to “flatten the curve”", + "after the first case of covid19 the disease caused by the new strain of coronavirus was announced in the united states reports of further infections trickled in slowly two months later that trickle has turned into a steady currentthis socalled exponential curve has experts worried if the number of cases were to continue to double every three days there would be about a hundred million cases in the united states by maythat is math not prophecy the spread can be slowed public health professionals say if people practice social distancing by avoiding public spaces and generally limiting their movementstill without any measures to slow it down covid19 will continue to spread exponentially for months to understand why it is instructive to simulate the spread of a fake disease through a populationwe will call our fake disease simulitis it spreads even more easily than covid19 whenever a healthy person comes into contact with a sick person the healthy person becomes sick tooin a population of just five people it did not take long for everyone to catch simulitisin real life of course people eventually recover a recovered person can neither transmit simulitis to a healthy person nor become sick again after coming in contact with a sick personlets see what happens when simulitis spreads in a town of 200 people we will start everyone in town at a random position moving at a random angle and we will make one person sicknotice how the slope of the red curve which represents the number of sick people rises rapidly as the disease spreads and then tapers off as people recoverour simulation town is small about the size of whittier alaska so simulitis was able to spread quickly across the entire population in a country like the united states with its 330 million people the curve could steepen for a long time before it started to slowwhen it comes to the real covid19 we would prefer to slow the spread of the virus before it infects a large portion of the us population to slow simulitis lets try to create a forced quarantine such as the one the chinese government imposed on hubei province covid19s ground zerowhoops as health experts would expect it proved impossible to completely seal off the sick population from the healthyleana wen the former health commissioner for the city of baltimore explained the impracticalities of forced quarantines to the washington post in january many people work in the city and live in neighboring counties and vice versa wen said would people be separated from their families how would every road be blocked how would supplies reach residentsas lawrence o gostin a professor of global health law at georgetown university put it the truth is those kinds of lockdowns are very rare and never effectivefortunately there are other ways to slow an outbreak above all health officials have encouraged people to avoid public gatherings to stay home more often and to keep their distance from others if people are less mobile and interact with each other less the virus has fewer opportunities to spreadsome people will still go out maybe they cannot stay home because of their work or other obligations or maybe they simply refuse to heed public health warnings those people are not only more likely to get sick themselves they are more likely to spread simulitis toolets see what happens when a quarter of our population continues to move around while the other three quarters adopt a strategy of what health experts call social distancingmore social distancing keeps even more people healthy and people can be nudged away from public places by removing their allurewe control the desire to be in public spaces by closing down public spaces italy is closing all of its restaurants china is closing everything and we are closing things now too said drew harris a population health researcher and assistant professor at the thomas jefferson university college of public health reducing the opportunities for gathering helps folks social distanceto simulate more social distancing instead of allowing a quarter of the population to move we will see what happens when we let just one of every eight people movethe four simulations you just watched a freeforall an attempted quarantine moderate social distancing and extensive social distancing were random that means the results of each one were unique to your reading of this article if you scroll up and rerun the simulations or if you revisit this page later your results will changeeven with different results moderate social distancing will usually outperform the attempted quarantine and extensive social distancing usually works best of all below is a comparison of your resultssimulitis is not covid19 and these simulations vastly oversimplify the complexity of real life yet just as simulitis spread through the networks of bouncing balls on your screen covid19 is spreading through our human networks through our countries our towns our workplaces our families and like a ball bouncing across the screen a single persons behavior can cause ripple effects that touch faraway peoplein one crucial respect though these simulations are nothing like reality unlike simulitis covid19 can kill though the fatality rate is not precisely known it is clear that the elderly members of our community are most at risk of dying from covid19if you want this to be more realistic harris said after seeing a preview of this story some of the dots should disappear", + "https://www.washingtonpost.com/", + "TRUE", + -0.007363459391761272, + 903 + ], + [ + "Rolling updates on coronavirus disease (COVID-19)", + " a pneumonia of unknown cause detected in wuhan china was first reported to the who country office in china on 31 december 2019 who is working 247 to analyse data provide advice coordinate with partners help countries prepare increase supplies and manage expert networks the outbreak was declared a public health emergency of international concern on 30 january 2020the international community has asked for us675 million to help", + "www.who.int", + "TRUE", + 0.03, + 68 + ], + [ + "What does it really mean to self-isolate or self-quarantine? What should or shouldn't I do?", + "if you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and communitystay home except to get medical care do not go to work school or public areasavoid using public transportation ridesharing or taxiscall ahead before visiting your doctorcall your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your homeas much as possible stay in a specific room and away from other people in your home use a separate bathroom if availablerestrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face maskwear a face mask if you are sickwear a face mask when you are around other people or pets and before you enter a doctors office or hospitalcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholclean your hands oftenwash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryavoid touching your eyes nose and mouth with unwashed handsdont share personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and waterclean all hightouch surfaces every dayhigh touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on thema list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakmonitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with othersif you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrive", + "https://www.health.harvard.edu/", + "TRUE", + -0.05539867109634551, + 679 + ], + [ + "To minimize coronavirus risk, use alcohol for sanitizing, not for drinking", + "the real danger in contracting the covid19 virus is that it can get into your lungs and lead to pneumonia according to the cdc the alarm was raised about coronavirus after patients died of cases of pneumonia of unknown cause reported in wuhan hubei province chinaalcohol can be used to disinfect surfaces and kill covid19 and some distilleries are making hand sanitizer to address the shortage but drinking it will not provide any protection against this virus and it may even make you more susceptibleand theres more bad news about alcohol and viruses according to a 2015 study published in the journal alcohol research excessive alcohol consumption is associated with adverse immunerelated health effects such as susceptibility to pneumonialets get this straight consuming alcohol does not kill the coronavirus and st lukes hospital of kansas city never said it didits not authentic and its not true at all said lindsey stich a spokeswoman for the missouribased hospital system the hospital debunked the letter soon after it hit the internet but not all posts have been removed", + "https://www.usatoday.com/", + "TRUE", + -0.007499999999999974, + 176 + ], + [ + "Can COVID-19 be caught from a person who has no symptoms? ", + "covid19 is mainly spread through respiratory droplets expelled by someone who is coughing or has other symptoms such as fever or tiredness many people with covid19 experience only mild symptoms this is particularly true in the early stages of the disease it is possible to catch covid19 from someone who has just a mild cough and does not feel illsome reports have indicated that people with no symptoms can transmit the virus it is not yet known how often it happens who is assessing ongoing research on the topic and will continue to share updated findings", + "https://www.who.int/", + "TRUE", + 0.16583333333333333, + 96 + ], + [ + "A New Entry in the Race for a Coronavirus Vaccine: Hope", + "scientists are increasingly optimistic that a vaccine can be produced in record time but getting it manufactured and distributed will pose huge challengesin a medical research project nearly unrivaled in its ambition and scope volunteers worldwide are rolling up their sleeves to receive experimental vaccines against the coronavirus only months after the virus was identifiedcompanies like inovio and pfizer have begun early tests of candidates in people to determine whether their vaccines are safe researchers at the university of oxford in england are testing vaccines in human subjects too and say they could have one ready for emergency use as soon as septembermoderna on monday announced encouraging results of a safety trial of its vaccine in eight volunteers there were no published data but the news alone sent hopes soaringanimal studies have raised expectations too researchers at beth israel deaconess medical center on wednesday published research showing that a prototype vaccine effectively protected monkeys from infection with the virusthe findings will pave the way to development of a human vaccine said the investigators they have already partnered with janssen a division of johnson johnsonin labs around the world there is now cautious optimism that a coronavirus vaccine and perhaps more than one will be ready sometime next yearscientists are exploring not just one approach to creating the vaccine but at least four so great is the urgency that they are combining trial phases and shortening a process that usually takes years sometimes more than a decadethe coronavirus itself has turned out to be clumsy prey a stable pathogen unlikely to mutate significantly and dodge a vaccineits an easier target which is terrific news said michael farzan a virologist at scripps research in jupiter flaan effective vaccine will be crucial to ending the pandemic which has sickened at least 47 million worldwide and killed at least 324000 widespread immunity would reopen the door to lives without social distancing and face maskswhat people dont realize is that normally vaccine development takes many years sometimes decades said dr dan barouch a virologist at beth israel deaconess medical center in boston who led the monkey trials and so trying to compress the whole vaccine process into 12 to 18 months is really unheardofif that happens it will be the fastest vaccine development program ever in historymore than 100 research teams around the world are taking aim at the virus from multiple anglesmodernas vaccine is based on a relatively new mrna technology that delivers bits of the viruss genes into human cells the goal is for cells to begin making a viral protein that the immune system recognizes as foreign the body builds defenses against that protein priming itself to attack if the actual coronavirus invadessome vaccine makers including inovio are developing vaccines based on dna variations of this approachbut the technology used by both companies has never produced a vaccine approved for clinical use let alone one that can be made in industrial quantities moderna was criticized for making rosy predictions based on a handful of patients without providing any scientific dataother research teams have turned to more traditional strategiessome scientists are using harmless viruses to deliver coronavirus genes into cells forcing them to produce proteins that may teach the immune system to watch out for the coronavirus cansino biologics a company in china has begun human testing of a coronavirus vaccine that relies on this approach as has the university of oxford teamother traditional approaches rely on fragments of a coronavirus protein to make a vaccine while some use killed or inactivated versions of the whole coronavirus in china such vaccines have already entered human trialsflorian krammer a virologist at icahn school of medicine at mount sinai in new york predicted that at least 20 additional vaccine candidates will make their way into clinical trials in the weeks to comeim not worried at all about it he said of the prospects for a new vaccinemany of these vaccines will stumble as the trials progress as more people are inoculated some candidates will fail to protect against the virus and side effects will become more apparentbut from what scientists are learning about the coronavirus it ought to be a relatively easy targetthe coronavirus sports tempting targets on its surface unique spike proteins the pathogen needs to enter human cells the immune system readily learns to recognize these proteins it appears and to attack them killing the virusviruses can challenge vaccine makers by mutating rapidly changing shape so that antibodies that work on one viral strain fail on another thankfully the new coronavirus seems to be a slow mutator and a vaccine that proves effective in trials should work anywhere in the worldwhen work on a coronavirus vaccine started some researchers worried that antibodies actually might worsen covid19 the illness caused by the coronavirus but in early studies no serious risks have emergedthat doesnt mean that there wont be but so far there hasnt been any indication so im cautiously optimistic on that point said dr alyson kelvin a researcher at the canadian center for vaccinology and dalhousie universityscaling upensuring that vaccines are safe and effective demands large trials that require careful planning and execution if successful vaccines emerge from those trials someones going to have to make an awful lot of themalmost everyone on the planet is vulnerable to the new coronavirus each person may need two doses of a new vaccine to receive protective immunity thats 16 billion doseswhen companies promise of delivering a vaccine in a year or less i am not sure what stage they are talking about said akiko iwasaki an immunobiologist at yale university i doubt they are talking about global distributions in billions of dosesmanufacturing vaccines is profoundly more complex than manufacturing say shoes or bicycles vaccines typically require large vats in which their ingredients are grown and these have to be maintained in sterile conditions also no factories have ever churned out millions of doses of approved vaccines made with the cuttingedge technology being tested by companies like inovio and modernafacilities have sprung up in recent years to make viralvector vaccines including a johnson johnson plant in the netherlands but meeting pandemic demand would be an enormous challenge manufacturers have the most experience massproducing inactivated vaccines made with killed viruses so this type may be the easiest to produce in large quantitiesbut there cannot be just one vaccine if that were to happen the company that made it would have no chance of meeting the worlds demandthe hope is that they will all at some level be effective and certainly thats important because we need more than just one said emilio emini a director of the vaccine program at the bill and melinda gates foundation which is providing financial support to many competing vaccine effortsas part of a publicprivate partnership the white house calls operation warp speed the trump administration has promised to design a kind of parallel manufacturing track to run alongside the clinical trials building up capacity well before trials are concluded in hopes that one or more vaccines could be distributed immediately upon approvalpresident trump said on friday that the goal of the project was to distribute a vaccine prior to the end of the year to do that mr trump is relying on the defense department to manage the manufacturing logistics related to vaccine developmentbut in an interview on thursday gen gustave f perna who will manage the manufacturing logistics said discussions about the equipment and facilities needed for production were just beginninghe described his work as a math problem how to get 300 million doses of a vaccine that doesnt yet exist to americans by januaryfinding the supplies and planning their distribution would occur at the same time he said i need to have syringes general perna said i need to have wipes right i need to have bandaids i need to have the vaccinehe added now how am i going to distribute it what is it going to be distributed in what do i need to order now to make sure i have the distribution capability the small bottles the trucksdr amesh adalja an infectious disease physician and senior scholar at the johns hopkins university center for health security said that seemingly minor aspects of production and distribution could complicate progress later onthis is on a scale weve never seen since the polio vaccine he said its the little things like the syringes the needles the glass vials all of that has to be thought about you dont want something that seems so simple to be the bottleneck in your vaccination programa coronavirus vaccine doesnt yet exist but already there are questions about who will be able to afford itat the world health assembly meeting this week a proposal from the european union was adopted recommending a voluntary patent pool which would put pressure on companies to give up their monopolies on vaccines theyve developedoxfam an international charity has published an open letter from 140 world leaders and experts calling for a peoples vaccine which would be made available for all people in all countries free of chargethese vaccines have to be a public good said helen clark a former prime minister of new zealand who signed the letter were not safe till everyone is safe", + "https://www.nytimes.com/", + "TRUE", + 0.10096379997954803, + 1545 + ], + [ + "Could the Power of the Sun Slow the Coronavirus?", + "a study suggests that ultraviolet rays could slow the virus though not enough to wipe it out and not as a treatmentwill summertime slow the virus that causes covid19 as it has done with many other viruses that sow flu colds and pneumonia a new study finds that it may though not enough to wipe out the pathogen or keep the pandemic from resurging in the fallthe study done by ecological modelers at the university of connecticut understands the main natural weapon against the novel germ to be ultraviolet light an invisible but energetic part of the suns electromagnetic spectrum thats wellknown for damaging dna killing viruses and turning healthy human skin cells into cancerous oneswe found that ultraviolet light was most strongly associated with lower covid19 growth rates the scientists wrote in a publication that has not yet been peer reviewed and that went online late wednesday projections of the overall effects they continued suggest that the disease will decrease temporarily during summer rebound by autumn and peak next winter but they cautioned that uncertainty about the studys projected outcomes remains highindeed though the pandemics spread has varied widely among countries it was spreading swiftly in some experiencing hot weather including australia and parts of iranthe new ecological analysis suggests that balmy days might aid though not by themselves accomplish the goal of socialdistancing measures advised by public health officialsother groups have sought to see if seasonal change would affect the virus that has spawned a pandemic infecting more than two million people worldwide early this month a committee of the national academy of sciences looked exclusively at humidity and temperature and found that they would have a minimal impact on the virus the panels assessment contradicted popular accountsat the white house coronavirus task force briefing on thursday evening president trump highlighted research at the department of homeland security that found that sunlight and disinfectants including bleach and alcohol can kill the coronavirus on surfaces in as little as 30 secondssupposing we hit the body with a tremendous whether its ultraviolet or just very powerful light mr trump said speculating on a possible means to fight the viruswhile such an idea is currently far from the realm of a safe treatment life scientists have long been aware that the sun threatens the viability of many microorganismssunlight kills most pathogenic microbes quite rapidly john postgate a british microbiologist wrote two decades ago in the popular book microbes and man published by cambridge university press the lethality he continued is principally the result of the ultraviolet component of solar radiation ultraviolet lamps can be used indoors to sterilize the air in operating theaters and pharmaceutical and microbiological laboratories even in diffuse daylight there is an appreciable amount of light of the effective wavelengthduring the pandemic because of the shortage of protective equipment some medical centers have been using ultraviolet light to decontaminate masks so they could be reused a small industry that sells ultraviolet lamps as a germicide has arisen but experts warn of their potential dangers for humansmany nonscientists including president trump have noted the seasonality of colds and flu and hoped the novel coronavirus would act likewise dr robert r redfield director of the centers for disease control and prevention told national public radio last month that he too expected an ebb and flow of disease\nmost respiratory viruses have a seasonality to them he said its reasonable to hypothesize well have to wait and see but i think many of us believe as were moving into the late spring early summer season youre going to see the transmission decrease but in comments this week to the washington post he also pointed to the likelihood that the coronavirus would continue to be a problem in the fall when it would coincide with the start of a new flu season\ncomparative studies of viruses suggest that as a class coronaviruses are especially vulnerable to ultraviolet light because of their relatively large genetic codes the more target molecules one study noted the more likely the genome will be damagedeven so other aspects of sunlights effects may also play important roles in whether viruses can easily infect humans a main one being its promotion of the synthesis of vitamin d a nutrient that can strengthen the immune system and lower the risk of certain illnessesthe connecticut scientists cory merow and mark c urban titled their paper seasonality and uncertainty in covid19 growth rates it was posted wednesday on medrxiv a preprint website for health scientists run by yale university the cold spring harbor laboratory on long island and the company that publishes the british medical journal the site notes that its preprints have not undergone peer review for accuracy and thus should not be used to guide clinical practicedr merow said that although the lethal effects of ultraviolet light on viruses are wellknown he and his colleague were surprised to find a seasonal drop evident on a global scaledr merow said he and his colleague had mined existing studies on how environmental and ecological factors correlate with virus infection rates and used them in ecological modeling of the global repercussions global data on temperatures humidity the penetration through the atmosphere of sunlights ultraviolet rays population ages and densities and covid19 infection counts were combined into a computer model that mapped out the seasonal trends he said\ndr merow noted that the studys range of uncertainty was considerable such that depending on the location within the united states the chance of seeing no viral slowdown in the summer ranged from 20 percent to 40 percenttheres a lot of uncertainty he said of the reported seasonalityeven if coronavirus cases decline in the summer as his model projects dr merow said social distancing and other health public measures would still be necessaryin some circumstances dr merow noted summer days would offer no protection at all for instance window glass blocks ultraviolet rays if everybody sits next to one another on the bus and coughs he said ultraviolet light is not going to protect you", + "https://www.nytimes.com/", + "TRUE", + 0.14760251653108794, + 1009 + ], + [ + "Study Finds Nearly Everyone Who Recovers From COVID-19 Makes Coronavirus Antibodies", + "theres been a lot of excitement about the potential of antibodybased blood tests also known as serology tests to help contain the coronavirus disease 2019 covid19 pandemic theres also an awareness that more research is needed to determine whenor even ifpeople infected with sarscov2 the novel coronavirus that causes covid19 produce antibodies that may protect them from reinfectiona recent study in nature medicine brings muchneeded clarity along with renewed enthusiasm to efforts to develop and implement widescale antibody testing for sarscov2 1 antibodies are blood proteins produced by the immune system to fight foreign invaders like viruses and may help to ward off future attacks by those same invadersin their study of blood drawn from 285 people hospitalized with severe covid19 researchers in china led by ailong huang chongqing medical university found that all had developed sarscov2 specific antibodies within two to three weeks of their first symptoms although more followup work is needed to determine just how protective these antibodies are and for how long these findings suggest that the immune systems of people who survive covid19 have been be primed to recognize sarscov2 and possibly thwart a second infectionspecifically the researchers determined that nearly all of the 285 patients studied produced a type of antibody called igm which is the first antibody that the body makes when fighting an infection though only about 40 percent produced igm in the first week after onset of covid19 that number increased steadily to almost 95 percent two weeks later all of these patients also produced a type of antibody called igg while igg often appears a little later after acute infection it has the potential to confer sustained immunityto confirm their results the researchers turned to another group of 69 people diagnosed with covid19 the researchers collected blood samples from each person upon admission to the hospital and every three days thereafter until discharge the team found that with the exception of one woman and her daughter the patients produced specific antibodies against sarscov2 within 20 days of their first symptoms of covid19meanwhile innovative efforts are being made on the federal level to advance covid19 testing the nih just launched the rapid acceleration of diagnostics radx initiative to support a variety of research activities aimed at improving detection of the virus as i recently highlighted on this blog one key component of radx is a shark tanklike competition to encourage science and engineerings most inventive minds to develop rapid easytouse technologies to test for the presence of sarscov2on the serology testing side the nihs national cancer institute has been checking out kits that are designed to detect antibodies to sarscov2 and have found mixed results in response the food and drug administration just issued its updated policy on antibody tests for covid19 this guidance sets forth precise standards for laboratories and commercial manufacturers that will help to speed the availability of highquality antibody tests which in turn will expand the capacity for rapid and widespread testing in the united statesfinally its important to keep in mind that there are two different types of sarscov2 tests those that test for the presence of viral nucleic acid or protein are used to identify people who are acutely infected and should be immediately quarantined tests for igm andor igg antibodies to the virus if wellvalidated indicate a person has previously been infected with covid19 and is now potentially immune two very different types of teststwo very different meanings\ntheres still a way to go with both virus and antibody testing for covid19 but as this study and others begin to piece together the complex puzzle of antibodymediated immunity it will be possible to learn more about the human bodys response to sarscov2 and home in on our goal of achieving safe effective and sustained protection against this devastating disease", + "https://directorsblog.nih.gov/", + "TRUE", + 0.11744791666666667, + 635 + ], + [ + "Infected but Feeling Fine: The Unwitting Coronavirus Spreaders", + "the cdc director says new data about people who are infected but symptomfree could lead the agency to recommend broadened use of masksas many as 25 percent of people infected with the new coronavirus may not show symptoms the director of the centers for disease control and prevention warns a startlingly high number that complicates efforts to predict the pandemics course and strategies to mitigate its spreadin particular the high level of symptomfree cases is leading the cdc to consider broadening its guidelines on who should wear masksthis helps explain how rapidly this virus continues to spread across the country the director dr robert redfield told a national public radio affiliate in atlanta in an interview broadcast on mondaythe agency has repeatedly said that ordinary citizens do not need to wear masks unless they are feeling sick but with the new data on people who may be infected without ever feeling sick or who are transmitting the virus for a couple of days before feeling ill mr redfield said that such guidance was being critically rereviewedresearchers do not know precisely how many people are infected without feeling ill or if some of them are simply presymptomatic but since the new coronavirus surfaced in december they have spotted unsettling anecdotes of apparently healthy people who were unwitting spreaderspatient z for example a 26yearold man in guangdong china was a close contact of a wuhan traveler infected with the coronavirus in february but he felt no signs of anything amiss not on day 7 after the contact nor on day 10 or 11already by day 7 though the virus had bloomed in his nose and throat just as copiously as in those who did become ill patient z might have felt fine but he was infected just the sameresearchers now say that people like patient z are not merely anecdotes for example as many as 18 percent of people infected with the virus on the diamond princess cruise ship never developed symptoms according to one analysis a team in hong kong suggests that from 20 to 40 percent of transmissions in china occurred before symptoms appearedthe high level of covert spread may help explain why the novel coronavirus set off a pandemic in a way that the sars and mers viruses did notthe new virus spreads about as easily as flu and whens the last time anyone thought anything about stopping influenza transmission short of the vaccine said dr michael t osterholm an infectious disease expert at the university of minnesotawith any vaccine still in early development the best way to mitigate the pandemic is social distancing he and other experts said because people may be passing the virus on to others even when they feel fine asking only unwell people to stay home is unlikely to be enough this is why many experts going against recommendations by the cdc and the world health organization are now urging everyone to wear masks to prevent those who are unaware they have the virus from spreading itlike influenza some experts now say this virus appears to spread both through large droplets and droplets smaller than five micrometers termed aerosols containing the virus that infected people might release especially while coughing but also while merely exhaling they emphasized that the level of virus in both types of particles is low so simply jogging or walking by an infected person does not put people at riskif you have a passing contact with an infectious person you would have a very very low chance of transmission occurring said dr benjamin cowling an epidemiologist at the university of hong kongthe risk goes up with sustained contact during facetoface conversation for example or by sharing the same air space for a prolonged time in addition to its confusing stance on masks the who has been saying aerosol transmission doesnt occur which is also perplexing dr cowling said adding i think both are actually wrongexperts agreed that infections were being passed along by people who do not report symptoms what they call asymptomatic transmissions but they also noted some confusion around the termtheres no standard definition for it and you could say to yourself well thats kind of ridiculous you either have symptoms or you dont said dr jeffrey shaman an infectious diseases expert at columbia university but studies by his team have shown he said that some people never notice their symptoms others are unable to distinguish the infection from their smokers cough or allergies or other conditions and still others may feel every pain acutelythere is also a largely semantic debate about what proportion of people who appear to be perfectly fine but then become ill as in the report in the new england journal of medicine of an apparently asymptomatic spreader who later acknowledged having felt mild symptomsultimately dr shaman said these definitions are unimportantthe bottom line is that there are people out there shedding the virus who dont know that theyre infected he saidwhere the definitions may matter is in being able to understand the true scope of the pandemicdr cowlings team has analyzed data from china at various stages in the pandemic the whos mission to china concluded that most people who were infected with the virus had significant symptoms but in the early weeks of the epidemic his analysis shows china set a high bar for what constituted a confirmed case of infection requiring respiratory symptoms fever and a chest xray for pneumoniatheir definition left out mild and asymptomatic cases and as a result the team vastly underestimated the scale and nature of the outbreak thereweve estimated in china that between 20 percent and 40 percent of transmission events occurred before symptoms appeared dr cowling said\na separate analysis of the hundreds of people cloistered aboard the diamond princess cruise ship bears out this scale once the ship docked in japan on feb 5 researchers tested all of the passengers and reviewed those who tested positive for the virus on multiple occasions over a twoweek period they found that 18 percent of the infected passengers remained symptomfree throughoutthe substantial asymptomatic proportion for covid19 is quite alarming said dr gerardo chowell an epidemiologist at georgia state university who worked on the analysisdr chowell noted that the passengers on the ship tended to be older and therefore more likely to develop symptoms he estimated that about 40 percent in the general population might be able to be infected without showing signs of itthere have also been many hints subtle and not that the virus can be transmitted via aerosols sixty members of a choir in mount vernon wash north of seattle gathered on march 10 for a practice session for over two and a half hours none of them felt ill and they made no contact with one another but by this weekend dozens of the members had fallen ill and two had diedtheir experience points toward airborne transmission via aerosols which can travel farther than the large droplets the who and the cdc have emphasized the virus is still most likely to be expelled with a cough or a sneeze as far as eight meters about 26 feet according to one study but studies on influenza and other respiratory viruses including other coronaviruses have shown that people can release aerosols containing the virus simply by breathing or talking or presumably by singingi think increasing evidence suggests the virus is spread not just through droplets but through aerosols dr chowell said it would make a lot of sense to encourage at the very least face mask use in enclosed spaces including supermarketsseveral studies have shown now that people infected with the new coronavirus are most contagious about one to three days before they begin to show symptoms this presymptomatic transmission was not true of the coronaviruses that caused sars and mersthis is where we got very lucky with sars was that it really didnt transmit until after people were showing symptoms and that made it much easier to detect it and shut it down with aggressive public health measures said dr carl bergstrom an expert in emerging infectious diseases at the university of washington in seattlewith the new coronavirus there is transmission by healthyseeming people and often severe symptoms and a high fatality rate that whole combination makes it very very tough to fight using standard public health measures he saida separate analysis from the cdc on tuesday offered new evidence that a significant portion of people with severe coronavirus infections in the united states have underlying medical conditions the agency looked at 7162 cases a small subset of the 122000 cases in the us but the findings provided a stark portrait of 457 people in that subset who were admitted to intensive care units 32 percent suffered from diabetes 29 percent had heart disease and 21 percent had lung disease overall 78 percent of people with covid19 admitted to the icu had at least one preexisting condition the study did not look at deathsrapid tests for infection might help detect people especially health care workers who are infected yet feel normal masks may help but experts kept returning to social distancing as the single best tool for stopping the chain of transmission in the long term not lockdowns necessarily but canceling mass events working from home when possible and closing schoolswe cant assume that any of us are not potential vectors at any time dr bergstrom said this is why even though im feeling great and have felt great and havent been exposed to anybody with any symptoms of anything thats why it would be irresponsible of me to go out and about today", + "https://www.nytimes.com/", + "TRUE", + 0.07103379123064166, + 1609 + ], + [ + "Your biggest questions about coronavirus, answered", + "the coronavirus pandemic has only just begun everyone is trying to wrap their heads around what they need to know to protect themselves and their communities and prepare for whats next here are answers to some of the biggest questions our readers have about the outbreak which we collected in a survey sent out through social media and other avenueshow does the virus spread can it be in food coronavirus spreads mainly through droplets in the air the virus can also be found on contaminated surfaces and end up infecting someone after they touch the surface and then touch their face whether coronavirus meets the definition of airborne is a matter of debate among scientists the reason were distancing ourselves at 6 feet 2 meters or more is because generally speaking this is the range that will keep you protected if an infected individual is coughing or sneezesand therefore spreading droplets with coronavirus through the air ideally youd want to stay farther away but 6 feet is a minimum according to the fda there is currently no evidence that coronavirus transmission occurs through food keep up with the same steps you normally take to prevent foodborne illnesses how is the coronavirus spread by infected people who have no symptoms \naccording to harvard medical schools coronavirus resource center people who are infected with coronavirus but not showing symptoms can still spread the virus aerosolized droplets containing the virus can still exit the body through breaths and speech and float through the air infecting healthy individuals masks can help prevent the spread of the virus whether asymptomatic cases are the main cause of the spread of the virus is less clear we dont yet know how many infected adults are asymptomatic according to the cdc of the 3700 passengers who were on the diamond princess cruise ship who tested positive for covid19 about 46 percent were asymptomatic at the time of testing asymptomatic cases and presymptomatic cases the former never show symptoms the latter will eventually show symptoms are contagious but its not yet clear how their contagiousness stacks up against symptomatic cases this is why social distancing is important for everyone no matter how healthy someone might seem why does germany have a much lower fatality rate than the other eu countries \nas of april 7 germany has 107458 confirmed cases of coronavirus the fifth of any country in the world yet its death tally stands at 1983 more than five times less than france which has 110049 confirmed cases germany has experienced a stranger outbreak than most other major countries the new york times reports that the average age of infected patients is lower in germany than many other countries and fatality rates among the young are far lower than they are among the elderly the average age of infection in germany is 49 in france its 625 germany has also been testing people more aggressively than their european counterparts in the mold of asian countries like china and south korea germany is testing hundreds of thousands of individuals a week patients are identified early doctors can administer lifesaving treatment sooner and public health officials have been able to spot cases of mild or no symptoms and isolate them before those individuals can infect others as opposed to the us where individuals can only get tested if they are symptomatic germany has been able to test people who are asymptomatic contact tracing has also been an aggressive tool in tracking down potentially sick individuals and testing and isolating them germany has also done a good job of ensuring that its hospitals and health care facilities could manage cases without being overwhelmed theres been no shortage of beds ventilators other equipment or staff can infections cause permanent effects and complications \nyes many patients who come down with covid19 pneumonia experience acute respiratory distress syndrome ards a form of respiratory failure where the lungs are suddenly overwhelmed by inflammation and unable to deliver oxygen to the bodys vital organs ards has a mortality rate of 30 to 40 percent and is the leading cause of covid19related deaths there isnt a whole lot of literature about what happens if you survive ards but longterm lung damage is a possibility especially for older individuals uk doctors report that lung damage sustained by ards survivors may take 15 years to heal hong kong doctors told the south china morning post that they witnessed some covid19 survivors see a 20 to 30 percent drop in lung function after recovering from infection if pcr tests are so easily contaminated how sure are we about the accuracy of the case numbers should we be suspicious pcr is a gold standard platform for testing even a tiny amount of virus in a patient sample can be found and amplified for detection and testing that doesnt mean the test is foolproof yes the reagents can be easily contaminatedwhich is precisely what botched the cdcs initial rollout of coronavirus tests in february but thats why there are control tests that are used to ensure the entire platform is running as it should the problem with the cdcs february tests were that the negative controls were faultywhich was almost immediately made known there is no real reason to be suspicious of pcr tests for diagnosing coronavirusits probably the most accurate testing platform we have for diagnosing covid19 how does coronavirus affect pregnancy at this time there is no evidence to suggest being pregnant increases your risk for getting coronavirus or that your risk of developing severe symptoms increases with pregnancy according to the cdc there is no increased risk of miscarriage with covid19 we dont have much data on whether sarscov2 can infect infants and the limited data we have according to harvard medical school the vast majority of mothers with covid19 gave birth to babies who showed no clinical evidence of infection there is also no evidence of the virus infecting breastmilk expecting mothers should practice safe hygiene and social distancing at this time and should also speak with their healthcare providers if they have any specific questionshave restrictions and lockdowns prevented flu transmission and deaths as well the 20192020 influenza season saw a steady decline in numbers throughout the month of march according to the cdc the number of clinical cases testing positive for flu decreased from 243 percent at the end of february to 21 percent for the week ending in march 28 thats not exactly surprising as numbers always tend to decline as we near april but the drop has been pretty sharp its too early to say whether social distancing measures are responsible and how great of a role they played other factors involved include the effectiveness of the vaccine and how many people got it how infectious the flu was this year and how rigorously people were tested and whether the covid19 pandemic played a role in incentivizing testing we wont know for sure until epidemiologists get a chance to look over the data does covid19 really cause a loss of smell and taste on march 20 scientists with ent uk a professional organization representing ear nose and throat doctors reported that the loss of smell and taste seemed to be a symptom of coronavirus infections based on anecdotal reports from colleagues around the world the authors wrote that it seemed 30 percent of confirmed covid19 cases in south korea experienced anosmia loss of smell as their major presenting symptom in otherwise mild cases in germany anosmia was reported by twothirds of covid19 patients and the truth is its not entirely surprising postviral anosmia is the cause of 40 percent of all cases where someone loses their sense of smell the ent uk statement says previously studied coronaviruses cause anosmia in 10 to 15 percent of all infections although its a normal part of many viral infections the reason anosmia is a concern for covid19 is because its often presenting itself in very mild infections in the absence of more severe symptoms like fever coughing and shortness of breath these are people who arent really presenting as ill in any significant way so they may not be selfisolating themselves as they should but before we jump to conclusions we need to wait for published data that shows without a doubt anosmia is a symptom of covid19 if youre experiencing a loss of smell and taste these days its not a definitive sign that you have coronavirus but it might be a sign that you should be extra vigilant about selfisolating and perhaps seek out a covid19 test if its availablehow does this end nobody knows epidemiologists at imperial college london suggest we could see a worstcase scenario of 264 million americans infected and 22 million dead we also dont know some important things about the virus including how many asymptomatic cases there are making it difficult to plan after the outbreak in wuhan became public in late december chinese authorities began enforcing strict measures on travel and activity designed to stop the spread of the virus as aggressively as possible it seems to be working china reported no new cases in wuhan on march 15 strict measures are said to have helped reduce the number of new infections in hardhit places like south korea as well unfortunately for every south korea or singapore theres a case like italy which did not handle the initial outbreak well and is now reeling from the effects with the virus spreading incredibly fast and taxing healthcare systems well beyond capacity thats part of the reason we dont know how this will endwe dont yet have a system of containing the virus that is universally adhered to around the world just last week the uk was suggesting it would forgo strict mandates on social distancing and isolation and instead take a slow approach that would allow over 60 of its population to become infected in order to encourage herd immunity the aboutface on this policy may have come too late the pandemic could reach a natural end when it finally spreads to nearly every part of the world and no longer has anywhere else to go but that would leave an unthinkable number of people dead we could see a combination of various antiviral treatments being fasttracked sooner to help treat cases and continued efforts to help slow the spread and flatten the curve more on that below but the solution that saves the most lives is a vaccine that provides immunity that will probably take another 18 months to develop and theres no telling yet how effective it might behow is a quarantine supposed to workthe idea behind quarantine is to isolate people who are or may be infected in order to prevent them from transmitting the illness to others or to sequester healthy people and make sure they stay healthy if you restrict someones movements beyond the incubation period of the infection you can isolate new cases as they come up prevent the spread of infection and treat those who fall sicktheres some elasticity in what qualifies as a quarantine not being allowed to leave home or being kept in isolation within a hospital are pretty strict forms sometimes quarantines are not mandatory but selfimposed by individuals who think they might be sick and doing the right thing by waiting out the incubation period or recovering from illness before going out in public again quarantines are only one of a list of actions that can be taken to increase social distancing and help flatten the curvelimit the number of cases at any one time so the peak caseload is much easier for healthcare systems to manage how fast can coronavirus mutate mutations are natural to every gene on the planet including those that are part of viruses in fact we can study these mutations in the coronavirus genome itself to see whether outbreaks in a single country are related so far it appears the rate of mutation in coronavirus is less than half the rate of eight to 10 times per month for influenza and more specific numbers will come as researchers spend more time studying the virus its harder to say how specifically we can use this information multiple genetic mutations are required for a virus to evolve into something more virulent or threatening current research suggests the two major strains of coronavirus affecting humans differ by just 0007 theres no reason to think a vaccine developed for one wont work against the otherif you survive coronavirus once can you be reinfectedthere are a few reports so far that individuals whove contracted the disease and been cleared of the virus have tested positive again so far these seem to be extremely rare in china they seem to account for less than 02 of all infections other literature shows that scientists have observed persistent infections of coronaviruses in animals we still dont know enough about the virus or about how immunity develops after infection to say much about how this might work thus far it seems rare enough not to be alarmed about and most scientists seem to think errors more likely explain why some recovered patients are testing positive what should we expect as spring arrives will the warm weather hurt or help our efforts to stop the virus a big question scientists are trying to answer is whether coronavirus peaks during the winter and ebbs during the summer like the flu if theres a seasonal aspect to the virus then it also means we have to plan for levels of infection in the northern hemisphere to rise rapidly as autumn sets in the answer is unclear a new study that hasnt been peerreviewed yet suggests that 95 of positive cases globally have thus far occurred between 2 and 10 c which could indicate greater transmission in cooler climates the prospect of seasonality is already influencing how some countries are approaching the problem the uks maligned former strategy to encourage herd immunity assumed in part that the country needed to plan for keeping its healthcare system from being overwhelmed by peak caseloads in winter yet so many different variables can influence transmission weve only known about the virus for a few months and have yet to actually observe what will happen as the seasons change the virus may just barrel through the summer unimpeded or it may exhibit stranger behavior in the winter we need more data to make strong predictions how long are people contagious when they are infected the answer depends on the study you read a recent study by german scientists suggests that people who test positive are most contagious before theyve started exhibiting symptoms and during the first week that symptoms show up symptoms can appear anywhere between two and 14 days after infection on the plus side the same study shows that after about eight to 10 days of symptoms patients were no longer infectious this seems to show that though the disease is pretty contagious at the onset the body gets rid of the virus quickly once antibody production turns on which is typically within six to 12 days yet another study however suggests the virus can endure in the body for a median of 20 days after infection and as long as 37 days in some cases the rule of thumb being promoted so far is to remain quarantined for 14 days from the moment you develop symptoms what are the core health and medical tools technologies and resources we need to handle thousands or tens of thousands of cases in cities and towns around the us why havent we scaled up production one of the biggest concerns facing healthcare systems down the road is the availability of medical ventilators for hospitalized patients covid19 is a respiratory disease and for those severely affected its critical to be able to provide oxygen or mechanical help with breathing the us has only 160000 ventilators available at the momenta fraction of what we may need if the virus hits harder current business models are just not designed to incentivize this level of manufacturing though there are efforts to change that right nowbut by far the biggest immediate need is testing kits we have a simple message for all countries test test test who director general tedros adhanom ghebreyesus said in a press briefing monday unfortunately the us simply hasnt been testing enough people and its almost a certainty there are many more infections than cases that have been confirmed production is ramping up now thanks to new efforts by private and academic labs but might be too late down the road well also need to figure out how to scale up manufacturing of antiviral treatments or even a viable vaccine", + "https://www.technologyreview.com/", + "TRUE", + 0.11431373157807583, + 2796 + ], + [ + "Exposing yourself to the sun or to temperatures higher than 25C degrees DOES NOT prevent the coronavirus disease (COVID-19)", + "you can catch covid19 no matter how sunny or hot the weather is countries with hot weather have reported cases of covid19 to protect yourself make sure you clean your hands frequently and thoroughly and avoid touching your eyes mouth and nose", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.3277777777777778, + 42 + ], + [ + "Will ingesting or injecting disinfectants, like the ones that kill viruses on surfaces, protect me against coronavirus or kill coronavirus if I already have it?", + "thats a bad idea said dr colleen kraft an infectious diseases professor at emory university school of medicine it could definitely kill youpresident donald trump wondered aloud during a press conference whether theres a way we can do something like that by injection inside or almost a cleaningbut the reckitt benckiser group which produces lysol cleaning products said under no circumstance should disinfectants be put into the human body", + "https://www.cnn.com/", + "TRUE", + -0.23333333333333328, + 69 + ], + [ + "Viral video mixes truth about COVID-19 with a long list of ineffective treatments and preventions", + "runny nose and sputum are indeed symptoms of the common cold but these same symptoms have been observed in some patients with covid19 according to the world health organization who the most common symptoms of covid19 are fever tiredness and dry cough some patients may have aches and pains nasal congestion runny nose sore throat or diarrhea the us centers for disease control and prevention cdc adds shortness of breath to the list of most common covid19 symptomsits also possible for a person to become infected with more than one virus at the same time such as influenza a1 therefore the presence of symptoms that are more common to other infections absolutely does not indicate the absence of infection by sarscov2 the virus that causes covid19it is unclear whether the video is referring to the celsius c or fahrenheit f temperature scale however considering that both temperatures are below the average temperature of the human body 37c or 986f this statement is illogical if it were true people would not become infected with sarscov2 by simple virtue of having a higher body temperature than the virus could withstand\n\nthe who states in its myth busters post you can catch covid19 no matter how sunny or hot the weather is countries with hot weather have reported cases of covid19\n\nthere is indeed some evidence that the sun can destroy certain viruses2 and bacteria3 in the environment however there is currently no evidence that the sun has the same effect on sarscov2 as previously reported by politifact cdc physician and researcher nancy messionnier told politifact that its premature to assume the heat and sunlight will temper the virus and even if it turns out to be true that the sun could deactivate the virus the amount of time it would take for this to happen is unlikely to be instantaneous leaving a window of opportunity for infection even from sunexposed surfaces thats why its important to use proper handwashing technique as described by the cdc after touching communal surfaces outside your home according to the who covid19 virus is primarily transmitted between people through respiratory droplets and contact routes in an analysis of 75465 covid19 cases in china airborne transmission was not reported\n\ndroplets containing the virus cannot travel as far as airborne infectious particles therefore the who recommends maintaining a minimum safe distance between self and others of three feet 1m whereas the cdc recommends a distance of six feet 2m the 10foot distance recommended in the video may not be absolutely necessary but it also couldnt hurt\n\nthe two health organizations base their recommendations on this concept stated by the who droplet transmission occurs when a person is in close contact within 1 m with someone who has respiratory symptoms eg coughing or sneezing and is therefore at risk of having hisher mucosae mouth and nose or conjunctiva eyes exposed to potentially infective respiratory droplets transmission of the covid19 virus can occur by direct contact with infected people and indirect contact with surfaces in the immediate environment or with objects used on the infected person eg stethoscope or thermometer\n\nas of early april 2020 however research has begun to emerge indicating that the virus might also be airbornethe virus causing covid19 has indeed been identified on different types of surfaces for hours or even days as health feedback previously reported but it remains unknown how long the virus remains infectious on these surfaces and how likely it is for a person to become infected by touching them therefore again it is important to follow the prevention guidelines listed above which are provided by reputable health agencies such as the who and cdc\n\nhandwashing for at least 20 seconds or using hand sanitizer made of at least 60 alcohol when soap is not available is an effective way to kill microbes on the skin in the case of covid19 any soap will do because it destroys the lipidbased capsule that surrounds and protects the virus leaving it exposed to degradation\nantibacterial soaps are not harmful but are also not more effective than regular soap since viruses such as sarscov2 are not destroyed by antibacterial agents presumably the claim meant to refer to antibacterial soap instead of bacterial soap health feedback is not aware that such a product exists and it seems unlikely that one would ever be producednormal laundry detergent will kill the virus on fabric the cdc states in general using a normal laundry detergent according to washing machine instructions and dry thoroughly using the warmest temperatures recommended on the clothing label the virus has been detected on fabric for as long as a day as previously reported by health feedback but it is still not known whether the virus remains infectious after this length of timeit is unknown how long sarscov2 can survive on skin its fair to say it stays long enough to spread from person to person said mobeen h rathore chief of pediatric infectious diseases and immunology at wolfson childrens hospital of jacksonville florida to huffpostagain because the virus survival on skin is unknown it is important to follow the aforementioned handwashing guidelinesthe virus does not always infect the throat first as previously reported by health feedback and there is no evidence to suggest that it remains isolated in one particular part of the body for any specific length of time furthermore sarscov2 does not cause pneumonia in all infected individuals in fact as many as 25 of people will never experience any symptoms at all but are still capable of passing the virus to othershigh fever and shortness of breath are indeed possible but not guaranteed symptoms of covid19 some individuals only realize they have contracted the disease after losing their sense of taste and smell without experiencing any other symptomsmany physicians and hospitals are urging patients to not rush to the emergency room at the first sign of covid19 symptoms because if a person is experiencing only mild symptoms they can be effectively treated at home without exposing other sick patients in the emergency room to contagion rather many physicians recommend first calling their primary care doctor for advice the cdc provides a handy coronavirus self checker to help people evaluate their own symptoms and to determine when to seek appropriate medical careit is true that by the time a person begins experiencing covid19 symptoms the virus has already been spreading within the body for 1 to 14 daysthe virus incubation period as previously reported by health feedback however it is not too late to seek medical attention by the time symptoms appearaccording to a 30 march study published in the lancet4 the case fatality rate for covid19that is the proportion of deaths out of the total number of diagnosed casesis only 14 averaged across all age groups and when the researchers factored in their estimates of undiagnosed and asymptomatic cases this rate fell to only 066 although death from covid19 infection is still much higher than that for influenza 01 and mortality rates begin to rise steeply for individuals ages 60 and above the chances of surviving infection for most individuals are quite goodthe claim that the lung will have developed 50 fibrosis by the time fever or cough develop was previously debunked by reuters which cites an interview with thomas nash an internist pulmonologist and infectious disease specialist at new york presbyterian hospital in new york city nash called the phrase a nonmedical concept he also pointed out that pulmonary lung fibrosis takes months if not years to develop not the mere days mentioned in the claimholding your breath for 10 seconds is not a valid test for covid19 this claim has been debunked by snopes and afp fact check among othersagain individuals concerned that they may have developed covid19 should consult their primary care physician for advice or refer to the cdcs coronavirus self checker to identify their symptoms and determine when to seek appropriate medical caredrinking water frequently will not wash the virus away into the stomach where it will be destroyed by stomach acids in fact certain cells within the gastrointestinal tract possess the same ace2 receptors that sarscov2 uses to target and infect cells of the respiratory tract this claim was previously debunked by both the bbc and aap factcheckin summary most of the claims listed above regarding methods for diagnosing treating preventing or curing covid19 are inaccurate there is currently no effective cure or treatment for covid19 although many are being investigated in clinical trials in the meantime individuals should continue to follow the basic welltested precautionary measures such as frequent handwashing disinfecting surfaces avoiding touching the face social distancing and selfisolation when sick in order to prevent infection and to seek medical advice from a trusted physician about when to seek treatment outside of the home", + "https://healthfeedback.org/", + "TRUE", + 0.07159373586612393, + 1470 + ], + [ + "I've heard that high-dose vitamin C is being used to treat patients with COVID-19. Does it work? And should I take vitamin C to prevent infection with the COVID-19 virus?", + "some critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stones", + "https://www.health.harvard.edu/", + "TRUE", + 0.10818181818181818, + 286 + ], + [ + "Staying safe isn't just about hygiene and distance. It's about time, too", + "by now youve likely heard the main pieces of advice to avoid the coronaviruswear a mask wash your hands with soap stay at least 6 feet from others if you do gather with others go outside rather than insidestill theres one more aspect to infection that has received less attention growing evidence suggests that covid19 infection like with other illnesses is related to prolonged time exposed to the virus the longer you stay in an environment that may contain the virus the higher the risk of getting sickerin bromage a comparative immunologist and professor of biology at the university of massachusetts dartmouth summed it up with a short and sweet equation successful infection exposure to virus x timebromages simplified formula was part of a recent blog post explaining ways to lower your risk of catching covid19 that has been read over 15 million times in the past two weeks he told cnnthe main idea is that people get infected when they are exposed to a certain amount of viral particles that viral threshold can be reached by an infected persons sneeze or cough which releases a large number of viral particles into the air but an infected person talking or even just breathing still releases some virus into the air and over a long period of time in an enclosed space that could still infect othersthe longer time you spend in that environment so minutes or hours in there the more virus you breathe in the more it can build up and then establish infection bromage said so its always a balance of exposure and time if you get a high level of exposure its a short time to infection and if you get a low level of exposure its a longer time before that infection can establishthe importance of time exposed to a virus is relevant for all infectious diseases from measles to tuberculosis to covid19 said dr kent sepkowitz an infectious disease specialist at memorial sloan kettering cancer center in new yorkindeed its the underlying theory behind contact tracing which tries to locate and contact anyone who has spent prolonged time near an infected personbromage said his simple formula suggests that a short shopping trip comes with a comparatively low risk of infection but employees in those same stores for eighthour shifts have a higher riskeven if there is virus in that environment you hopefully havent had that extended time needed to get to that infectious dose the employees though are in that environment all day he said so what wouldnt infect you and i because it didnt get to that infectious dose number has a much stronger effect or larger effect on an employee that gets that low dose all daygym class restaurant and choir practice as examplesseveral case studies of covid19 outbreaks over the past few months show the dangers of spending a long time in an enclosed space with an infected person including at a choir practice in washington state a restaurant in china and a fitness studio in south koreain washington state a single infected person attended a twoandahalf hour choir practice on march 10 according to a report published by the centers for disease control and prevention of the 61 attendees 53 people or 87 of the group developed covid19 afterward the report saidno one reported physical contact between the attendees at the practices but they sat close together the report said the chairs were 610 inches apart but there were empty seats between some of the members the choir broke into two groups for part of the practice and members moved closer together for that 45minute session they saidanother example of the dangers of prolonged exposure came at a restaurant in guangzhou china on january 24 over lunch that lasted about an hour an infected person spread the virus to four people at their table two people at a nearby table and three people at another nearby table\nthe study concluded that the transmission of the virus was prompted by airconditioned ventilation at the restaurant and recommended restaurants increase the distance between tables as well as improve their ventilationfinally researchers in south korea linked more than 100 coronavirus infections to a fourhour fitness instructor workshop from midfebruary according to research published in emerging infectious diseases a journal from the cdcalmost 30 instructors participated in the original workshop which was held in cheonan south korea they trained intensely for four hours and while none had symptoms at the time eight instructors eventually tested positive for the virusless than a month later researchers had identified 112 coronavirus cases linked to dance classes in a dozen different facilities half of the cases were the result of direct transmission from instructors to students and some people went on to infect others outside of classthe classes linked to transmission had between five to 22 students and took place in small spaces for almost an hour out of 217 students exposed to infected instructors 57 of them or about one in four ended up testing positivehow long is too longbecause experimenting with viruses on humans is unethical data is limited on exactly how much exposure and time are needed for an infection the number also varies by person as older or immunocompromised people have lower thresholds to infectiondata are insufficient to precisely define the duration of time that constitutes a prolonged exposure the centers for disease control and prevention says on its website recommendations vary on the length of time of exposure but 15 min of close exposure can be used as an operational definitionsepkowitz similarly said that shorter exposure times are safer but there is no hard and fast rule for how long is too longeveryone has a little bit of risk per minute and its a cumulative thing he saidthe other part of bromages equation the issue of exposure to virus also varies depending on the actions within that enclosed space for example he said that louder places are riskier because infected people emit more virus when they talk loudly or when they sing such as in the chorus case study in washington\nquieter places with fewer airborne particles may also be lower risk in the south korea fitness case study one of the infected instructors taught pilates and yoga and none of her students contracted the viruswe hypothesize that the lower intensity of pilates and yoga did not cause the same transmission effects as those of the more intense fitness dance classes the researchers said", + "https://www.cnn.com/", + "TRUE", + 0.0872885222885223, + 1080 + ], + [ + "If there’s no cure, why go to the hospital unless you have a breathing problem?", + "most coronavirus patients dont need to be hospitalized the vast majority of people about 80 will do well without any specific intervention said dr anthony fauci director of the national institute of allergy and infectious diseasesthose patients should get plenty of rest hydrate frequently and take feverreducing medicationthe current guidance and this may change is that if you have symptoms that are similar to the cold and the flu and these are mild symptoms to moderate symptoms stay at home and try to manage them said dr patrice harris president of the american medical associationbut about 20 of coronavirus patients get advanced disease older patients and individuals who have underlying medical conditions or are immunocompromised should contact their physician early in the course of even mild illness the cdc saysthe cdc also says you should get immediate help if you havetrouble breathingpersistent pain or pressure in the chestsudden confusionbluish lips or facethis list is not all inclusive the cdc says please consult your medical provider for any other symptoms that are severe or concerning", + "https://www.cnn.com/", + "TRUE", + 0.06712962962962962, + 174 + ], + [ + "How deadly is coronavirus?", + "the proportion dying from the disease is likely below 1 but there will still be uncertainty until better testing reveals how many people have been infected\ncoronavirus death rate what are the chances of dyinga world health organization who examination of data from 56000 patients suggests 6 become critically ill lung failure septic shock organ failure and risk of death 14 develop severe symptoms difficulty breathing and shortness of breath 80 develop mild symptoms fever and cough and some may have pneumonia", + "https://www.bbc.com/", + "TRUE", + 0.028571428571428557, + 82 + ], + [ + "What should the average person in a non-outbreak area be doing to prepare?", + "the cdc believes it is likely that covid19 will cause a pandemic but there are steps that the public can take to protect and prepare themselvesfirst it is important to stay informed and follow instructions issued by your local or state health department and the cdc basic infection control measures still apply in this scenario practicing good handwashing techniques or using hand sanitizer avoiding people who are ill and staying home when you are sick are all effective measuresa pandemic could interrupt supply chains and result in closures at local businesses meaning it may be prudent to stock reserves of critical supplies examples include extra prescription medications asthma relief inhalers overthecounter antifever and pain medications nonperishable food items household cleaning supplies and toiletries however do not hoard this could create shortages", + "https://www.globalhealthnow.org/", + "TRUE", + 0.04047619047619048, + 131 + ], + [ + "Everything you need to know about the coronavirus", + "public health experts around the globe are scrambling to understand track and contain a new virus that appeared in wuhan china at the beginning of december 2019 the world health organization who named the disease caused by the virus covid19 which references the type of virus and the year it emerged the who declared that the virus is a pandemicthe verge is regularly updating this page with all the latest news and analysisyou can see where and how many cases of the illness have been reported in this map the majority of the illnesses were initially in china where the virus first emerged but the rate of new cases there has nearly stopped there are now many times more cases outside of china than there were inside of it at the height of the outbreak there are large outbreaks of the disease in multiple places including spain italy and the united states which currently has the worst outbreak of any country in the worldas this important story continues to unfold our hope is to answer all of your questions as people work to understand this virus and contain its spread", + "https://www.theverge.com/", + "TRUE", + 0.13158899923605805, + 190 + ], + [ + "How to Protect Yourself & Others", + "know how it spreads there is currently no vaccine to prevent coronavirus disease 2019 covid19the best way to prevent illness is to avoid being exposed to this virusthe virus is thought to spread mainly from persontopersonbetween people who are in close contact with one another within about 6 feet\nthrough respiratory droplets produced when an infected person coughs sneezes or talksthese droplets can land in the mouths or noses of people who are nearby or possibly be inhaled into the lungssome recent studies have suggested that covid19 may be spread by people who are not showing symptomseveryone shouldhands wash iconwash your hands oftenwash your hands often with soap and water for at least 20 seconds especially after you have been in a public place or after blowing your nose coughing or sneezingif soap and water are not readily available use a hand sanitizer that contains at least 60 alcohol cover all surfaces of your hands and rub them together until they feel dryavoid touching your eyes nose and mouth with unwashed handspeople arrows iconavoid close contact avoid close contact with people who are sick even inside your home if possible maintain 6 feet between the person who is sick and other household membersput distance between yourself and other people outside of your homeremember that some people without symptoms may be able to spread virusstay at least 6 feet about 2 arms length from other peopledo not gather in groupsstay out of crowded places and avoid mass gatheringskeeping distance from others is especially important for people who are at higher risk of getting very sickhead side mask iconcover your mouth and nose with a cloth face cover when around others you could spread covid19 to others even if you do not feel sickeveryone should wear a cloth face cover when they have to go out in public for example to the grocery store or to pick up other necessitiescloth face coverings should not be placed on young children under age 2 anyone who has trouble breathing or is unconscious incapacitated or otherwise unable to remove the mask without assistancethe cloth face cover is meant to protect other people in case you are infecteddo not use a facemask meant for a healthcare workercontinue to keep about 6 feet between yourself and others the cloth face cover is not a substitute for social distancingbox tissue icon cover coughs and sneezes if you are in a private setting and do not have on your cloth face covering remember to always cover your mouth and nose with a tissue when you cough or sneeze or use the inside of your elbowthrow used tissues in the trashimmediately wash your hands with soap and water for at least 20 seconds if soap and water are not readily available clean your hands with a hand sanitizer that contains at least 60 alcoholcleaning icon clean and disinfect clean and disinfect frequently touched surfaces daily this includes tables doorknobs light switches countertops handles desks phones keyboards toilets faucets and sinksif surfaces are dirty clean them use detergent or soap and water prior to disinfectionthen use a household disinfectant most common eparegistered household disinfectantsexternal icon will work", + "https://www.cdc.gov/", + "TRUE", + 0.010291005291005293, + 526 + ], + [ + "No, The Coronavirus Was Not Genetically Engineered To Put Pieces Of HIV In It", + "the coronavirus has saturated news social media and conversations around the world for the past few weeks and people understandably have questions such as masks to wear or not to wear or will the flu shot protect you from coronavirus no is the coronavirus anything to do with corona beer no come on but with so much focus on the topic and new information about the outbreak coming out constantly inevitably a slew of spurious information is also flooding the internet and coronavirus has resulted in several wellviral news stories with little scientific meritthe newest of these was a little unusual because it was based on a preprint of a real scientific paper since removed just a few hours ago uploaded to website biorxiv where scientists can present their completed or nearcompleted studies prior to peerreview by other scientists the work by a group based in india was entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gagseeing hiv and coronavirus in the same sentence is understandably a little startling so what does it actually meanbased on analysis of multiple very short regions of proteins in the novel coronavirus the biorxiv paper claimed that the new coronavirus may have acquired these regions from hiv said arinjay banerjee phd a postdoctoral fellow in virology at mcmaster university in ontario canada who has extensively studied coronavirusessome types of viruses can swap pieces of their genetic code and in this casethe authors of the study say that the specific coronavirus which is involved in the most recent outbreak 2019ncov has four small chunks of sequence in its genetic code which are not found in other similar coronaviruses like sars according to the authors these pieces bear some resemblance to bits of sequence also found in hivhowever the authors then speculated that this might not be a coincidence and perhaps the bits of genetic code were put there intentionally the conspiracy theory was addressed today by a scientist from the wuhan institute of virology at the chinese academy of sciences who rubbished the claimsthe wider scientific community upon seeing the paper were also less than impressed with these conclusions and speculations and swiftly set about not only voicing their concerns but analyzing the data to doublecheck the resultsessentially the scientists found that yes there are some additions in the ncov coronavirus originating in wuhan that other coronaviruses dont have which are similar to pieces of sequence found in hiv but the kicker here is that these pieces of genetic code are also found in countless other viruses and theres no reason to believe they specifically came from hiv at allthe authors compared very short regions of proteins in the novel coronavirus and concluded that the small segments of proteins were similar to segments in hiv proteins comparing very short segments can often generate false positives and it is difficult to make these conclusions using small protein segments said banerjeethe paper was withdrawn from biorxiv on sunday afternoon with one of the authors stating it was not our intention to feed into the conspiracy theories and no such claims are made here the author further declares that the researchers will revise the paper and reanalyze the data before submitting it againbut despite the removal the preprint paper has stimulated a heap of discussion about hiv and coronavirus many people have asked on social media why if coronavirus does not have pieces of hiv in it hiv drugs are being used in some cases to treat the virus with preliminary evidence that they and other antiviral drugs appear to be working in some casessome antiviral drugs can work against fundamental and generic steps involved in rna virus replication antihiv drugs that inhibit viral rna genome replication or the process of making viral protein from viral rna may also work against other rna viruses this depends on the mode of action of the drugs explains banerjeepresumably in response to the rather critical attention that this paper received biorxiv has added a banner warning to every new preprint on the websitebiorxiv is receiving many new papers on coronavirus 2019ncov a reminder these are preliminary reports that have not been peerreviewed they should not be regarded as conclusive guide clinical practicehealthrelated behavior or be reported in news media as established information read the statementpublishing scientific articles as preprints without any peer review beforehand is controversial and complex with one valid question being whether media outlets should cover preprint work and risk potentially misinforming the public if the original results are not quite up to scratch as happened with the recent hivcoronavirus paper has this recent incident tarnished the reputation of preprintsno in fact i believe that this is why preprints were established the scientific community can provide feedback prior to formal peerreview preprints offer the authors an opportunity to seek feedback from a wider scientific community more than the 23 peerreviewers in a formal review setting said banerjee stating that this paper certainly would not have passed official peer reviewit is unfortunate that multiple articles on preprint servers were victims of viral social media posts especially studies that were not robust or scientifically sound said banerjee but i am impressed how quickly other researchers debunked the studies and reanalyzed the data he added", + "https://www.forbes.com/", + "TRUE", + 0.027407647907647905, + 880 + ], + [ + "Evidence points to coronavirus SARS-CoV-2 being of natural origin, no evidence it could have been intentionally propagated", + "firstly no evidence has been presented to support the claim that sarscov2 was released from a laboratory in china nor that this specific strain or a directly related ancestor was being studied in laboratories before the outbreak occurred although sarslike coronaviruses are being studied in labs they are distant relatives of the humantargeting sarscov21 the closest known relative of sarscov2 is the bat virus ratg13 which shares 96 identity with the sarscov2 genome even this close cousin is separated from sarscov2 by decades of evolution as suggested by scientists here and herein addition scientists have found no evidence in the sarscov2 genome to indicate that it was human engineered as health feedback reported here a group of 27 researchers from several countries publicly rejected the allegation that the virus was laboratorymade2 as the authors pointed out scientists from multiple countries have published and analysed genomes of the causative agent severe acute respiratory syndrome coronavirus 2 sarscov2 and they overwhelmingly conclude that this coronavirus originated in wildlife as have so many other emerging pathogensa recent study published in nature medicine on 17 march 2020 established that sarscov2 very likely evolved naturally probably originating from a coronavirus in pangolins or bats or both and later developed the ability to infect humansthe socalled s protein which is located on the surface of the enveloping membrane of the sarscov2 virus allows the virus to bind to and infect animal cells this protein displays a high affinity for a protein called ace2 located on the surface of the targeted animal cells4 this is the same receptor that sarscov1 the virus responsible for the sars outbreak of 20032005 targets after the sars outbreaks researchers identified a set of key amino acids within the s protein which give sarscov1 a superaffinity for the ace2 target receptor45 surprisingly the s protein of the current sarscov2 does not contain this optimal set of amino acids3 yet is nonetheless able to bind ace2 with a greater affinity than sarscov16 this finding suggests that sarscov2 evolved independently and undermines the claim that it was manmade3 indeed the best engineering strategy would have been to harness the known and efficient amino acid sequences already described in sarscov1 to produce a more optimal molecular design for sarscov2 over the past two decades scientists have developed several genomic coronavirus backbones to be used as the initial framework for engineering experimental viruses but the genome sequence of sarscov2 indicates that no such backbones are present3 researchers have also determined through genome sequencing that sarscov2 likely originated in either bats or pangolins or both37 indeed sarscov2 shares 96 identity of its genome sequence with the bat coronavirus ratg13 and 91 with a pangolin coronavirus isolated from dead animals the percent identity with the pangolin coronavirus is even stronger in the key amino acids necessary for the binding of the virus to the targeted cells37 altogether this evidence strongly indicates that the virus originated in wildlife and developed the ability to infect humans at a later point in timethe robust scientific evidence that sarscov2 evolved naturally does not exclude the possibility that it could have escaped from a laboratory if any had indeed been studying it before the outbreak however in order for the hypothesis to be true a lot of unlikely conditions would have had to be met firstly a laboratory would have had to secretly harvest a natural precursor of sarscov2 from an unknown animal reservoir and culture it in the laboratory secondly the scientists would have had to adapt the precursor virus to humans in the lab and then release it into the populationthis is inconsistent with the results of genomic analyses indicating that the virus evolved naturally while not impossible such a chain of events is highly improbable and there is currently no evidence to support this claim the article from the mynacl blog does not provide any information to support this hypothesis in summary genomic data indicate that sarscov2 shares a strong genetic identity with coronaviruses isolated from bats and pangolins which suggests a natural origin additionally the data do not contain any evidence of human engineering finally there is no piece of evidence available either in the post or elsewhere to support the claim that the virus was intentionally released andor propagated several competing hypotheses have been proposed to explain where the novel coronavirus actually came from health feedback investigated the three most widespread origin stories for the novel coronavirus engineered lableak or natural infection and examined the evidence for or against each proposed hypothesis in this insight article", + "https://healthfeedback.org/", + "TRUE", + 0.11281249999999995, + 758 + ], + [ + "How do you go about creating a vaccine against a new virus?", + "every virus has its unique challenges in the case of ncoronavirus the vaccine challenges are 2fold first you have to interfere with the viruss ability to dock with a specific receptor in the lungs called ace2 then you need to reduce the problem of antibodydependent enhancement ade means that some respiratory virus vaccines can actually make things worse there are multiple ways to solve this problem one option is creating a vaccine that only uses parts of the pathogen to stimulate the immune system one approach is to do this by producing recombinant protein subunit vaccines we have found that these vaccines that use a part of a protein of the virus the spike protein and known as the receptor binding domain rbd are optimal for 2 reasons recombinant proteins are a standard technology that has resulted in other licensed vaccines including the hepatitis b and hpv vaccines and its possible to produce this vaccine in abundance and at low cost moreover this approach unlike many others reduces ade and has a potential for being safe ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.07857142857142858, + 176 + ], + [ + "Immunomodulation in COVID-19", + "the coronavirus disease 2019 covid19 pandemic caused by severe acute respiratory syndrome coronavirus sarscov2 continues to spread globally despite unprecedented social isolation and restrictions resulting in widespread economic decline more than 32 million people have been infected and more than 230 000 of them have died to date no treatments have been definitively shown to be effective however a multipronged approach to mitigate transmission morbidity and mortality is ongoing while upstream prevention strategies such as vaccination are ideal these strategies are unlikely to be available in time to address current clinical need instead fasttracking of drug development and repurposing of approved drugs has facilitated and expedited clinical trials that might hasten effective therapeutics many of these drugs act at least in part to directly limit viral replication by contrast the use of interleukin6 il6 inhibition might have benefits by controlling the pathological immune response to the virus here we expand on the theoretical basis of il6 inhibition and propose potential benefits from other immunomodulators that could in theory prove more efficaciousfor the latter phase of convalescence hospitalised patients with covid19 can develop a syndrome of dysregulated and systemic immune overactivation described as a cytokine storm or hyperinflammatory syndrome that worsens acute respiratory distress syndrome and can lead to multisystem organ failurethe scarce systematic data available have shown an association between ferritin lactate dehydrogenase il6 il1 ddimer and creactive protein and severe disease if this group can be identified before decompensation early and aggressive immunomodulatory treatment might prevent need for intubation and extracorporeal membrane oxygenation to date observational studies suggest a possible benefit but results of placebocontrolled randomised clinical trials are not yet available given the methodological limitations of existing studies more evidence is needed with the rapidly expanding number of critically ill patients there is an urgent need to identify multiple putative biological targets while il6 inhibition attenuates key aspects of the cytokine cascade we posit other immune targets of inhibition to be considered and their potential to be more efficacious in the setting of covid19 specifically il1 inhibitors and janus kinase jak inhibitorsobservational data show overlapping clinical features in severe covid19 with macrophage activating syndrome mas and secondary haemophagocytic lymphohistiocytosis hlh hyperinflammatory states specifically in fatal cases highlight why consideration of hlh and mas therapies are warranted furthermore the pathogenesis underlying sarscov2 involves several key pathways that can be manipulated and use of these therapies can mitigate the propagation of an overdriven inflammatory response figurealthough few patients with severe covid19 would meet criteria for mas it is proposed that they are on the spectrum and that mas or secondary hlh therapies might be of benefit il1 inhibitors are key therapeutics in the treatment of mas or secondary hlh but also boast an impressive safety profile with risk for infection and demonstrated safety when used in pregnant women and children by inhibiting il1 signalling they reduce a prominent drive on nfκbmediated upregulation of multiple cytokines including il6 additionally a posthoc analysis of a randomised controlled trial in sepsis indicated that patients with sepsis who had features of transaminitis and coagulopathy a phenotype emerging within the covid19 population might uniquely benefit from il1 inhibition ongoing clinical trials using il1 il6 or jak inhibitors in covid19 are listed in the appendixjak inhibitors can treat a cytokine storm by inhibiting multiple inflammatory cytokines most jak inhibitors are particularly effective at jak 1 and jak 2 inhibitionless so jak 3 and tyk 2and therefore are particularly effective at inhibition of il6 and interferon ifnγ but also inhibit il2 and the ifnαβ signalling cascade most jak inhibitors have been associated with increased risk for thrombosis viral reactivation and myelosuppression however these adverse effects except myelosuppression are likely to be dependent on duration and dose as with il1 inhibitors jak inhibitors generally have short halflives and can have efficacy within days these characteristics are favourable given that duration of use in patients with covid19 should be short term ruxolitinib a jak 12 inhibitor received us food and drug administration approval for steroidrefractory graftversushost disease a frequently fatal complication of allogeneic haematopoietic cell transplantation characterised by unconstrained inflammation and tissue damage off label it has also effectively managed inflammatory complications in patients with genetic disorders that result in overactivity of the stat1 pathway and in resistant mas or secondary hlh of multiple causes including viral further understanding of the complex crosstalk that occurs involving both viral and host survival strategies might identify the need to target multiple different mechanisms to safely balance viral destruction while promoting host survival clinical trials will be key in determining these effects across a potential heterogeneous population while simultaneously monitoring the sideeffect profile of these drugs to ensure any potential benefits are not outweighed by harms\nin conclusion as insight is gained into the clinical phenotypes associated with covid19 we propose jak and il1 inhibitors as therapeutic targets warranting rapid investigation multidisciplinary collaboration with experts in haematology inflammation tissue damage and repair and resolution is paramount\ncjt is a principal investigator for two randomised controlled trials investigating angiotensin ii receptor blockers in the treatment of covid19 among inpatient and outpatients nei is also a coinvestigator on these grants sgh has served as a consultant for incyte bristolmeyers squibb and generon outside of the submitted work nei and sle contributed equally all remaining authors declare no competing interests", + "https://www.thelancet.com/", + "TRUE", + 0.15535714285714283, + 885 + ], + [ + "11 things everyone should know about getting the novel coronavirus", + "with the united states facing a serious coronavirus outbreak its natural to wonder whether youll get the respiratory illness and what you can do about it hundreds of thousands of cases and thousands of deaths have been reported in the us but due to a lack of widespread testing its likely the outbreak is even biggeras evidence of widespread unreported cases marc lipsitch director of the center for communicable disease dynamics at the harvard th chan school of public health pointed on twitter to the cdcs national influenza surveillance report which regularly tracks symptoms similar to those of covid19 he noted that symptoms such as fever coughs and sore throats have been trending up while confirmed flu cases are going down common symptoms of the flu and covid19 are similaras the coronavirus spreads its become a nationwide crisis thats beginning to severely strain our health care system older adults and chronically ill are particularly susceptible to severe covid19 illness and tens or hundreds of thousands of them could require hospitalization in the coming weeks and months so we need to take collective measures now to protect ourselves and others heres what you need to know1 how do i get covid19there are a lot of acronyms floating around so first just know that the sarscov2 virus the coronavirus causes the disease covid19 the virus is most commonly spread by close contact with infected people who are within 6 feet of each other when they cough or sneeze they send droplets into the air where they can land in the mouths or noses of people who are nearby or possibly get inhaled into the lungs droplets containing the virus can also land on surfaces and objects where the virus can survive for some timeaccording to a preprint paper a study that hasnt yet been peerreviewed from researchers at the national institutes of health princeton and ucla who studied the novel coronavirus in a lab it can survive for up to 24 hours on cardboard and for up to two or three days on plastic and stainless steel another study suggests it can stay infectious for up to nine daysthe danger of infection here is touching one of these surfaces and then touching your eyes nose or mouth the cdc however says that this is not thought to be the main way the virus spreadssome diseases like measles can also be transmitted through aerosols meaning that when someone coughs tiny droplets filled with virus linger in the air sometimes for hours where others can breathe them in currently theres limited evidence of the coronavirus being transmitted this way but its worth noting one preprint found the virus in aerosol form in hospitals in wuhan and others agree that there is a higher risk of doctors and nurses being infected through aerosols theres also growing evidence of fecaloral transmission meaning you can ingest the virus shed in feces through inadequate handwashing or contaminated food and waterthe good news is that transmission can be prevented good personal hygiene and social distancing can be very effective im not one of those people who normally goes crazy about handwashing says megan murray an infectious disease specialist and professor of global health at the harvard school of public health now i really am because that will help reduce the virus on your handswashing your hands frequently and carefully for at least 20 seconds is better than using hand sanitizer because it actually destroys the chemical structure of the virus any old soap will break the viruss outer coating and you dont need special antibacterial soap if soap and water arent available use hand sanitizer with 60 percent alcohol no this doesnt include titos vodkanew research suggests that people may be most infectious early in the disease and even before symptoms start meaning that as soon as you start to feel ill its important to selfisolate you dont need to be coughing to be contagious the linked preprint suggests that somewhere between 48 and 66 percent of 91 people in a singapore cluster were infected by someone without symptomsthis makes taking precautions now like canceling your travel plans and social gatherings even more important the effectiveness of widespread travel bans especially when community transmission is already occurring is being hotly debated but in general minimizing social contact is the best method of preventionavoid handshakes or hugs with people whove been out and about and whenever possible stay at least 6 feet away from others this includes minimizing or avoiding play dates sleepovers shared meals going out to eat and visits to friends and family members homes\nalso important to know is that according to one study from china around 25 percent of all cases may originate in people who have no symptoms another reason social distancing measures are so important\n2 oops i think i touched my face what are the symptoms of covid19the most common symptoms of covid19 are a fever seen in almost 90 percent of patients as well as a dry cough and shortness of breath a study of 71 patients in china also suggests that a significant portion of coronavirus patients experience diarrhea nausea or vomiting sometimes before respiratory symptoms begin the world health organization who says these symptoms typically come on graduallyaround 80 percent of covid19 cases are reportedly mild but as james hamblin of the atlantic noted that word can be misleadingas the world health organization adviser bruce aylward clarified last week a mild case of covid19 is not equivalent to a mild cold expect it to be much worse fever and coughing sometimes pneumoniaanything short of requiring oxygen severe cases require supplemental oxygen sometimes via a breathing tube and a ventilator critical cases involve respiratory failure or multiorgan failurethe incubation period before symptoms appear ranges from one to 14 days but the median is 51 days if youve been around someone who has a confirmed diagnosis of covid19 or displays its symptoms the most responsible thing to do is to selfquarantine for two weeksbut im young and healthy do i really need to worry about getting sick or spreading the virus to others\nyes you dothe reason is that social distancing works best if everyone young and old healthy and infirm practices it no one has immunity and everyone can get sick and spread the virus to othersthe more young and healthy people are sick at the same time the more old people will be sick and the more pressure there will be on the health care system emily landon an infectious disease specialist and hospital epidemiologist at the university of chicago medical center told voxs eliza barclay and dylan scottwithout protective measures one person on average infects 25 others and cases will spread exponentially that means hospitals and medical staff will quickly become overwhelmed at least 5 percent of covid19 patients may need intensive care and many require hospitalization for weekseven if youre not at a statistically higher risk of dying from covid19 its important to flatten the curve and adopt social distancing measures immediately to prevent the most deathsalso just being young and healthy is not a guarantee of mild illness the epicenter of new jerseys outbreak of covid19 holy name medical center had 11 confirmed covid19 cases on march 14 six of which were in the icu with ages ranging from 28 to 48\n4 i have a fever or a dry cough what should i do\nif you have one or more symptoms of the new coronavirus call your doctor if you are older or have underlying medical conditions its even more important to call your doctor even if you have only mild symptoms according to the cdc before you go to your doctors office murray says you should call ahead so that medical staff can wear the appropriate protective gear and be ready to help take care of you without exposing others many health care facilities are requesting that you wear a mask if you have symptoms and are going in for testingyour doctor will determine whether you should be tested if a test is ordered you can expect a nasopharyngeal swab where a tiny qtip is put up your nose a few inches not a fun procedure but it doesnt hurt its then sent to a lab and put through a process called a polymerase chain reaction which detects specific genetic material within the virus how long it takes to get results back varies but in the us its currently taking a few days covid19 testing is free for patients regardless of whether they have insurance treatment fees and other costs are possible though many insurers have waived costsharing for treatmentmany people who know theyve been exposed are currently having difficulty actually getting tested flynn says her colleague developed similar symptoms after sharing a cab with cpac participants a conference in dc where multiple people fell sick from covid19\nthats true even in covid19 hot spots helen teixeria a resident of redmond a suburb of seattle one of the nations outbreak epicenters says she woke up last week with a tight chest fever and a dry coughfirst she called the king county hotline and was told to call her primary care provider her doctor told her to go to the emergency room where the hospital didnt follow standard isolation protocol and medical staff did not wear basic protective gear teixeria said she was unable to get a covid19 test because they were being tightly rationed for highrisk and hospitalized patients nor was she allowed to get a twoview chest xray so that i didnt contaminate the xray room she says a sympathetic nurse eventually slipped her offtherecord information on a private clinic where she might be able to get a covid19 test next weekim definitely sick and still waiting to be tested what else should i do\nafter you call your doctor stay home says tom frieden former director of the cdc it sounds like overly simple advice but its the best thing you can do next you should selfisolate including staying away from anyone you live withif youre not in one of the cdcs highrisk categories trying to see your doctor may actually expose you further the single place youre most likely to encounter people with coronavirus is the hospital so thats the last place you want to be if youre afraid of getting infected murray says and if in your quest to get tested you go to multiple health care centers youll be exposing health care workers in each locationif you think you might have covid19 and frankly even if you dont so that you avoid possibly spreading it before you have symptoms avoid all public areas this means dont go to school or work and try to avoid taking public transportation including ridehailing services like uber lyfts and taxis\nif you dont have adequate supplies at home consider asking friends or family to make a delivery to your door rather than going out yourself dont let friends come visit while youre recuperating instead stay connected by phone or onlinewhats the best way to take care of myself at home\nselfcare for coronavirus is very similar to other upper respiratory infections says elisa choi an infectious disease and internal medicine specialist in the boston area overthecounter medications like cough suppressants can help minimize coughing episodes and expectorants can help you cough stuff up\npain relievers and fever reducers like acetaminophen brand name tylenol can help treat muscle aches and reduce fevers out of an abundance of caution who on march 18 began recommending that people with covid19 symptoms avoid taking ibuprofen but then reversed course some scientists say theres not much data to back thisthere are multiple assumptions that are made with that hypothesis that cant be made without being tested angela rasmussen a research scientist at columbia universitys center for infection and immunity told vox to my knowledge theres no evidence that ibuprofen makes covid19 worse\nchoi also urges using common sense to manage symptoms if youre feeling congestion you can try taking a hot shower or steam she says sleep and water are always good advice the cdc says that drinking enough water every day is generally good for your overall health\nchoi and other medical professionals warn against circulating misinformation about supposed home remedies such as whats happening with an email erroneously claiming to be from stanford these remedies include holding your breath without coughing and keeping your mouth moist many of these ideas are unproven and some can be dangerous for example you can overdose on zincthis is really a time to stick with the facts choi says stay away from things that are being promoted for sale without a known background she recommends always checking with your doctor if you have questions about the veracity of a particular source the cdc and who as well as your local and state public health departments are good sources of updated verified information\n7 if im sick how do i protect the people i live with\nchoi says that suspected or confirmed covid19 patients should stay in their own room and ideally not share a bathroom\nthey should try to stay as far away as possible from anyone else in the household and at least 6 feet she added if you do share a bathroom avoid being in the room at the same time as anyone else the who found that most of the transmission in china was between family members\nif the sick person feels up to it ideally they should be the one to disinfect the bathroom after they use it if your living situation doesnt allow you to isolate yourself from others in your home tell your doctor andor health department\nthe cdc has a complete guide to disinfecting commonly touched surfaces like counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables and it recommends doing so every day you can use one of the approved products or make your own like adding four teaspoons of bleach to a quart of water the cdc also recommends wearing gloves when touching possibly infected items like used clothing or bedding as well as when disinfecting commonly used surfaces when youve finished throw the gloves directly in the garbage and then wash your handschoi suggests washing your hands frequently to protect others in your household and covering your nose and mouth when you cough or sneeze with a tissue that you throw directly into the garbage if youre feeling ill dont share cups utensils dish or bath towels toothpaste bedding or anything else with anyone the coronavirus can stick around on surfaces for several days8 when should i seek additional medical carechoi recommends closely monitoring your symptoms its less about a number and more about the progression she says generally a lowgrade fever is considered less than 1004 but older people are generally less likely to mount a fever response the main thing to watch for is symptoms getting worse for example if you initially have a mild cough but start to have prolonged bouts or if coughing becomes painful she recommends calling your doctor againthe cdc says that you should seek medical attention immediately if you have difficulty breathing or shortness of breath persistent pain or chest pressure an onset of confusion or the inability to stay awake and bluish lips or face if you do decide to go to the hospital make sure to call ahead so the hospital can prepare to admit you without exposing others if you already have a mask at home this would be a good time to wear it the cdc has recommended cloth masks for everyone but infants when in certain public settings but medical masks should be reserved for health workers and sick people there is a severe shortage\nknow that if you do go to the hospital there is currently no treatment for covid19 remdesivir an antiviral drug is in clinical trials but right now doctors are limited to providing supportive care such as supplemental oxygen9 how long do i have to stay isolatedwhile theres still a lot we dont know murray says that you should selfisolate for at least 14 days after your initial symptoms there have been a few reports of patients shedding viruses for up to 28 days but those appear to be outliers this means avoiding contact with everyone read voxs guide to selfisolation herefor her part choi recommends minimizing all contact until your doctor or a public health department tells you that you are no longer contagious\n10 i already have cabin fever my kids are bouncing off the walls and im so anxious i cant sleep help\nmeasures for pandemic control can be stressful choi says especially for people who may have challenges with being isolated this feeling may get worse over the next few weeks as current socialdistancing measures are likely to be extended such measures can also cause financial hardship and stress for people who cant work from home or wont get paid if they dont go to workmany people are experiencing cognitive dissonance about the ongoing normality of their daily lives or conversely experiencing very rapid change be kind to yourself and others if you are struggling whether youre afraid of getting sick or reacting to uncertainty financial hardship or a lack of information anxiety is a natural response and you are not aloneif you have preexisting mental health conditions be aware that this may trigger new or worsening symptoms the substance abuse and mental health service administration has a 247 disaster distress helpline reachable at 18009855990 it also has an app with additional resourcesno matter how stressed you feel its crucial not to scapegoat others this virus is not transmitted by or infecting any particular group ive experienced antiasian racism myself says choi and its disrespectful hateful and not grounded in factsknow that the situation is not hopeless collectively changing behavior can go a long way toward controlling the spread of this disease china has now closed all of its temporary hospitals as its case numbers continue to decline but the social and economic repercussions of this pandemic may continue for months so prepare yourself mentally for a long haul\ndo the small things that are in your control like giving yourself a break from the news put down twitter and maintaining normal routines as much as possible if youre at home with family or roommates find ways to give each other space be creative about finding ways to exercise youtube videos are a great resource if you cant get outside talk to your loved ones about what you and they need to stay happy and healthy\n11 can i get reinfected with covid19 and is it better to get sick to build herd immunity\njapan and china have both reported multiple cases of people testing positive after initially recovering its unclear if these were relapses or new infections in four medical professionals in wuhan a test detected the viruss genetic material up to 13 days after they stopped having symptoms but finding genetic material doesnt necessarily mean you can still infect othersonce youve gotten sick you might have some immunity says peter hotez dean for the national school of tropical medicine of the baylor college of medicine but really the jurys still out we dont know it depends on your antibody response he says a new encouraging preprint showed that in some monkeys reinfection of covid19 does not occurhotez suggests that recovered patients do seem to produce antibodies he pointed to a new paper on the possibility of using blood from recovered patients as a treatment or even a preventive measure for first respondersstill recovered patients may also experience lasting effects doctors in hong kong said that some recovered patients had a 20 to 30 percent drop in lung capacity another alarming preprint suggests some patients may have permanent kidney damagewhat about building herd immunitythe uk government early on announced a strategy of allowing the virus to spread to build herd immunity although it has since walked it back and is recommending selfisolation for herd immunity to control covid19 more than 60 percent of the population will need to get the disease the logic is that extreme lockdowns now wont stop the virus from returning in the future when those measures are loosenedthe problem is that many people may succumb to the disease in the meantime and that by not attempting to control the spread hospitals and medical systems will be overwhelmed achieving herd immunity in the uk would require more than 47 million britons to be infected which could mean around hundreds of thousands would die immunity might also not last long enough to help as with the flu where new strains emerge each year relying on herd immunity also conflicts with who policy anthony costello a pediatrician and former who director tweeted is it ethical to adopt a policy that threatens immediate casualties on the basis of an uncertain future benefitthere are two likely ways this pandemic will end now that the virus is so widespread 1 so many people will get it that well develop a natural herd immunity a term that is used to describe people getting a disease and becoming immune as a result or 2 well make and widely produce an affordable vaccine it is very unlikely that well see a big decline in covid19 cases solely due to the weather getting warmer plenty of places where there is currently warm weather like singapore and australia have covid19 casesthere are no easy answers we have to recognize that were gonna start seeing a fair number of hospital admissions especially icu admissions hotez says and we have to ask the hard questions about what treatment we can do now developing a vaccine will take many months at best which is why in the meantime changing your behavior is so importantultimately this is a new disease so while were trying to make new predictions about risk all bets are off says choi were learning as everything is evolving actively in real time", + "https://www.vox.com/", + "TRUE", + 0.08130335415846777, + 3688 + ], + [ + "What are the ethical considerations of using quarantines?", + "the tools of public health during suspected infectious outbreaks include limits or restrictions on the movement of individual citizens ranging from travel bans to closure of businesses and schools to isolation of individuals in their homes to forced quarantine in medical facilitiesthe goal in implementing public health measures during suspected outbreaks is to balance the freedom of individuals against the restrictions on freedom required to achieve legitimate protections of the publics health with public and transparent justification of policy decisionswhatever restrictions are implemented should be the least restrictive to accomplish the stated public health goals quarantine is considered a measure of last resort given the severe restrictions it imposes on individual liberty and when misused or ineffective can severely undermine trust in government ", + "https://www.globalhealthnow.org/", + "TRUE", + -0.06000000000000001, + 123 + ], + [ + "How long does the virus survive on surfaces?", + "the most important thing to know about coronavirus on surfaces is that they can easily be cleaned with common household disinfectants that will kill the virus studies have shown that the covid19 virus can survive for up to 72 hours on plastic and stainless steel less than 4 hours on copper and less than 24 hours on cardboardas always clean your hands with an alcoholbased hand rub or wash them with soap and water avoid touching your eyes mouth or nose", + "https://www.who.int/", + "TRUE", + 0.1962962962962963, + 81 + ], + [ + "How effective are thermal scanners in detecting people infected with the new coronavirus", + "thermal scanners are effective in detecting people who have developed a fever ie have a higher than normal body temperature because of infection with the new coronavirus however they cannot detect people who are infected but are not yet sick with fever this is because it takes between 2 and 10 days before people who are infected become sick and develop a fever", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + -0.02745825602968461, + 63 + ], + [ + "Am I at risk for COVID-19 from mail, packages or products?", + "there is still a lot that is unknown about covid19 and how it spreads coronaviruses are thought to be spread most often by respiratory droplets although the virus can survive for a short period on some surfaces it is unlikely to be spread from domestic or international mail products or packaging however it may be possible that people can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes but this is not thought to be the main way the virus spreads", + "https://www.cdc.gov/", + "TRUE", + 0.1388888888888889, + 97 + ], + [ + "COVID-19 coronavirus epidemic has a natural origin", + "the novel sarscov2 coronavirus that emerged in the city of wuhan china last year and has since caused a large scale covid19 epidemic and spread to more than 70 other countries is the product of natural evolution according to findings published today in the journal nature medicine the analysis of public genome sequence data from sarscov2 and related viruses found no evidence that the virus was made in a laboratory or otherwise engineered by comparing the available genome sequence data for known coronavirus strains we can firmly determine that sarscov2 originated through natural processes said kristian andersen phd an associate professor of immunology and microbiology at scripps research and corresponding author on the paper in addition to andersen authors on the paper the proximal origin of sarscov2 include robert f garry of tulane university edward holmes of the university of sydney andrew rambaut of university of edinburgh w ian lipkin of columbia university coronaviruses are a large family of viruses that can cause illnesses ranging widely in severity the first known severe illness caused by a coronavirus emerged with the 2003 severe acute respiratory syndrome sars epidemic in china a second outbreak of severe illness began in 2012 in saudi arabia with the middle east respiratory syndrome mers on december 31 of last year chinese authorities alerted the world health organization of an outbreak of a novel strain of coronavirus causing severe illness which was subsequently named sarscov2 as of february 20 2020 nearly 167500 covid19 cases have been documented although many more mild cases have likely gone undiagnosed the virus has killed over 6600 people shortly after the epidemic began chinese scientists sequenced the genome of sarscov2 and made the data available to researchers worldwide the resulting genomic sequence data has shown that chinese authorities rapidly detected the epidemic and that the number of covid19 cases have been increasing because of human to human transmission after a single introduction into the human population andersen and collaborators at several other research institutions used this sequencing data to explore the origins and evolution of sarscov2 by focusing in on several telltale features of the virus the scientists analyzed the genetic template for spike proteins armatures on the outside of the virus that it uses to grab and penetrate the outer walls of human and animal cells more specifically they focused on two important features of the spike protein the receptorbinding domain rbd a kind of grappling hook that grips onto host cells and the cleavage site a molecular can opener that allows the virus to crack open and enter host cells evidence for natural evolution the scientists found that the rbd portion of the sarscov2 spike proteins had evolved to effectively target a molecular feature on the outside of human cells called ace2 a receptor involved in regulating blood pressure the sarscov2 spike protein was so effective at binding the human cells in fact that the scientists concluded it was the result of natural selection and not the product of genetic engineering this evidence for natural evolution was supported by data on sarscov2s backbone its overall molecular structure if someone were seeking to engineer a new coronavirus as a pathogen they would have constructed it from the backbone of a virus known to cause illness but the scientists found that the sarscov2 backbone differed substantially from those of already known coronaviruses and mostly resembled related viruses found in bats and pangolins these two features of the virus the mutations in the rbd portion of the spike protein and its distinct backbone rules out laboratory manipulation as a potential origin for sarscov2 said andersen josie golding phd epidemics lead at ukbased wellcome trust said the findings by andersen and his colleagues are crucially important to bring an evidencebased view to the rumors that have been circulating about the origins of the virus sarscov2 causing covid19 they conclude that the virus is the product of natural evolution goulding adds ending any speculation about deliberate genetic engineering possible origins of the virus based on their genomic sequencing analysis andersen and his collaborators concluded that the most likely origins for sarscov2 followed one of two possible scenarios in one scenario the virus evolved to its current pathogenic state through natural selection in a nonhuman host and then jumped to humans this is how previous coronavirus outbreaks have emerged with humans contracting the virus after direct exposure to civets sars and camels mers the researchers proposed bats as the most likely reservoir for sarscov2 as it is very similar to a bat coronavirus there are no documented cases of direct bathuman transmission however suggesting that an intermediate host was likely involved between bats and humans in this scenario both of the distinctive features of sarscov2s spike protein the rbd portion that binds to cells and the cleavage site that opens the virus up would have evolved to their current state prior to entering humans in this case the current epidemic would probably have emerged rapidly as soon as humans were infected as the virus would have already evolved the features that make it pathogenic and able to spread between people in the other proposed scenario a nonpathogenic version of the virus jumped from an animal host into humans and then evolved to its current pathogenic state within the human population for instance some coronaviruses from pangolins armadillolike mammals found in asia and africa have an rbd structure very similar to that of sarscov2 a coronavirus from a pangolin could possibly have been transmitted to a human either directly or through an intermediary host such as civets or ferrets then the other distinct spike protein characteristic of sarscov2 the cleavage site could have evolved within a human host possibly via limited undetected circulation in the human population prior to the beginning of the epidemic the researchers found that the sarscov2 cleavage site appears similar to the cleavage sites of strains of bird flu that has been shown to transmit easily between people sarscov2 could have evolved such a virulent cleavage site in human cells and soon kicked off the current epidemic as the coronavirus would possibly have become far more capable of spreading between people study coauthor andrew rambaut cautioned that it is difficult if not impossible to know at this point which of the scenarios is most likely if the sarscov2 entered humans in its current pathogenic form from an animal source it raises the probability of future outbreaks as the illnesscausing strain of the virus could still be circulating in the animal population and might once again jump into humans the chances are lower of a nonpathogenic coronavirus entering the human population and then evolving properties similar to sarscov2 funding for the research was provided by the us national institutes of health the pew charitable trusts the wellcome trust the european research council and an arc australian laureate fellowship", + "https://www.sciencedaily.com/releases/2020/03/200317175442.htm", + "TRUE", + 0.10485355485355483, + 1144 + ], + [ + "Coping with coronavirus", + "dealing with daily stress anxiety and a range of other emotions perhaps youre older worried that you may become infected and seriously ill maybe youre doing your best to keep your family healthy while trying to balance work with caring for your children while schools are closed or youre feeling isolated separated from friends and loved ones during this period of social distancingregardless of your specific circumstances its likely that youre wondering how to cope with the stress anxiety and other feelings that are surfacing a variety of stress management techniques which we delve into below can helpwebinar series regulating emotions building resiliency in the face of a pandemic this webinar series was created to support the students and staff of the harvard medical school community yet the lessons will be broadly applicable to all who are feeling the emotional strain of this unprecedented crisisdr luana marques is an associate professor at harvard medical schools department of psychiatry and clinical researcher at massachusetts general hospital who specializes in treating anxiety and stress disorders dr marques focuses on the science of anxiety and the specific impact that the covid19 pandemic is having on our ability to manage stress using role plays and examples she provides clear and accessible skills to help viewers manage their emotions during this very challenging timethe role of anxiety in this video we focus on how to assess the level of our anxiety and then we apply some of the concepts of cbt to a particular stressor that many people in our community are experiencing adapting to the everchanging timeline of how long we will need to practice social distancing and isolationslowing down the brain\nin this video we focus on skills for reducing the flow of anxious thoughts particularly as we consume massive amounts of frightening information about the covid19 crisischarging up and staying connected in this video we focus on the sense of loss that many of us are experiencing right now as a result of social distancing and how activating our brains and bodies can help us manage those emotionsexploring thoughts in this video we focus on how to interrogate the catastrophic thoughts that many of us are having right now and we offer specific tips for parents who are looking for strategies to help support the emotional health of their children during this crisisthe gad7 is a tool that can be used to selfassess your level of anxiety your responses are completely anonymous and are intended solely for your own learning and reflection if youd like you can complete this survey to tell dr marquess team about your experiences and questions related to managing anxiety in the face of the covid19 pandemic your responses are completely anonymous and are intended solely to provide the team that produced this series with feedback and ideas that could be addressed in subsequent videos harvard health publishing will not be receiving or responding to survey responses", + "https://www.health.harvard.edu/", + "TRUE", + 0.13189484126984122, + 489 + ], + [ + "How can I avoid getting infected?", + "the virus enters your body via your eyes nose andor mouth so it is important to avoid touching your face with unwashed handswashing of hands with soap and water for at least 20 seconds or cleaning hands thoroughly with alcoholbased solutions gels or tissues is recommended in all settings it is also recommended to stay one metre or more away from people infected with covid19 who are showing symptoms to reduce the risk of infection through respiratory droplets", + "https://www.ecdc.europa.eu", + "TRUE", + 0.275, + 78 + ], + [ + "Can COVID-19 symptoms worsen rapidly after several days of illness?", + "common symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face", + "https://www.health.harvard.edu/", + "TRUE", + 0.15870129870129868, + 108 + ], + [ + "Should I take my child to her scheduled well visit?", + "if you have a newborn toddler or young child who is still receiving immunizations it is important to take her to her well visit as long as you can do it safely according to new guidance released from the aap on march 18 we dont want those kids to miss their vaccines dr oleary said then well have unprotected infants who will be susceptible to other diseases your childs first newborn visit to a pediatrician is particularly important dr oleary said as your doctor will want to check her weight test for jaundice and help troubleshoot any breastfeeding issuesif your child is older and has received all of her immunizations the aap recommends that you consider postponing your well visit for the near term the organization also has tips for doctors to help keep their patients parents and staff safe during their visits including keeping well visits in the morning and restricting visits for kids who are sick to the afternoon it also urges doctors to see kids who are sick in different facilities rooms or floors and to increase the use of telemedicine", + "https://www.nytimes.com/", + "TRUE", + 0.06781849103277673, + 184 + ], + [ + "Risk assessment on COVID-19", + "what is the risk as of 22 april 2020 of severe disease associated with sarscov2infection in the general population in the eueea and uk\nthe risk of severe disease in the eueea and uk is currently considered low for the general population in areas where appropriate physical distancing measures are in place andor where community transmission has been reduced andor maintained at low levelsthe risk of severe disease in the eueea and uk is currently considered moderate for the general population in areas where appropriate physical distancing measures are not in place andor where community transmission is still high and ongoingthis assessment is based on the following factorsmost eueea countries have observed decreases in the daily number of newly reported cases in the last two weeks as of 22 april 20 countries had decreasing 14day incidence with 19 countries reporting a current 14 day incidence below 50 cases per 100 000 population although the composition and intensity of implementation vary all eueea countries and the uk have introduced a range of nonpharmaceutical interventions such as stayathome policies recommended or enforced alongside other community and physical distancing measures such as the cancellation of mass gatherings and closure of educational institutions and public spaces to reduce transmission while uncertainty remains about the extent to which the combination and intensity of these measures impacts on transmission in several countries such measures are associated at least temporarily with decreases in the number of newly reported cases at population level in addition transmission rates within countries are heterogeneous and even in countries with high incidence of covid19 there are areas where sustained community transmission has been halted or strongly reduced in countries with appropriate measures in place as well as in areas where transmission has declined or remained low the probability of infection with covid19 is currently assessed as lowhowever several countries appear to have not yet reached a peak and the current 14day incidence is currently the highest observed as of 22 april five countries including spain that show a clear decreasing trend still have a 14day incidence 100 cases per 100 000 population in these countries the implemented control measures may not yet be showing the desired effect in these settings the probability of infection with covid19 is currently assessed as very high\nthe analysis of data from tessy shows that the risk of hospitalisation increases rapidly with age already from the age of 30 and that the risk of death increases from the age of 50 although the majority of hospitalisations and deaths are among the very oldest age groups older males are particularly affected being more likely than females of the same age to be hospitalised require icurespiratory support or die allcause excess mortality from euromomo particularly at this time when competing drivers influenza and highlow temperatures are largely absent shows considerable excess mortality in multiple countries affecting both the 1564 and 65 years age groups in the pooled analysis once infected no specific treatment for covid19 exists however early supportive therapy if healthcare capacity for this exists can improve outcomes in summary the impact of severe disease of covid19 if acquired is assessed as moderate for the general populationwhat is the risk as of 22 april 2020 of severe disease associated with sarscov2 infection in populations with defined factors associated with elevated risk for covid19 in the eueea and ukthe risk of severe disease in the eueea and uk is currently considered moderate for populations with defined factors associated with elevated risk for covid19 in areas where appropriate physical distancing measures are in place andor where community transmission has been reduced or maintained at low levels\nthe risk of severe disease in the eueea and uk is currently considered very high for populations with defined factors associated with elevated risk for covid19 in areas where appropriate physical distancing measures are not in place andor where community transmission is still high and ongoingthis assessment is based on the following factorsthe probability of infection in the different areas has been assessed above and is the same for populations with defined factors associated with elevated risk for covid19 low to very high depending on the implementation of appropriate physical distancing measures and the level of community transmission the probability of infection is particularly high for individuals in closed settings such as ltcfs due to the potential for rapid spread associated with incorrectly applied ipc measures andor lack of ppethe analysis of tessy data shows that persons over 65 years of age andor people with underlying health conditions when infected with sarscov2 are at increased risk of severe illness and death compared with younger individuals these vulnerable populations account for the majority of severe disease and fatalities to date older males are particularly affected being more likely than females of the same age to be hospitalised require icurespiratory support or die long term care facilities which are home to frail elderly people with underlying conditions have had a large impact on the overall reported mortality in many eueea countries and the uk a rapid spread of the disease in these facilities has been observed causing high morbidity in the residents and staff as well as high mortality in the elderly residents the number of fatal cases from ltcfs contribute substantially to the overall reported covid19 mortality in countries in some cases by more than 60 although strict physical distancing measures hand hygiene and use of face masks together with closing these facilities for visitors minimises the risk of disease introduction the high proportion of asymptomatic cases among staff staff working in several facilities lack of ppe and other essential medical supplies as well as lack of training of staff have contributed to the spread of the disease in summary the impact of covid19 is assessed as very high for elderly and individuals with defined risk factorswhat is the risk of resurgence of sustained community transmission in the eueea and the uk in the coming weeks as a consequence of phasing out stayathome policies and adjusting community level physical distancing measures without appropriate systems and capacities in place\nthe risk of resurgence of sustained community transmission in the eueea and the uk is currently moderate if measures are phased out gradually and accompanied by appropriate monitoring systems and capacities with the option to reintroduce measures if needed and remains very high if measures are phased out without appropriate systems and capacities in place with a likely rapid increase in population morbidity and mortalitythis assessment is based on the following factorsthe effect of testing strategies healthcare capacities and environmental conditions has not been fully disentangled when evaluating the role played by the community and physical distancing measures implemented in different eueea countries and the uk however the temporal relationship between application of such measures and changes in morbidity and mortality rates and the results of modelling studies suggest that it is very likely that those measures and particularly the stayathome policies have played an important role in reducing transmission and in some subnational areas have led to a strong reduction in the rate of disease incidence and mortality the available information from the first seroepidemiological studies indicates the population immunity is still low in most cases 10 phasing out measures may cause a rapid resurgence of transmission unless measures are phased out after a clear indication that the spread of the disease has substantially decreased for a sustained period of time and health system capacities have fully recovereda robust surveillance strategy extended testing capacities and a robust framework for contact tracing are in place clear strategies are in place for adjusting community level physical distancing measures in a way that allows their effectiveness to be evaluated taking into account local differences in transmission rates and being ready to refine and reimplement measures based on the evolution of transmission patternsin the absence of a vaccine or an effective treatment and because of the still low population immunity level rapid resurgence of sustained community transmission may occur which can lead to very high population morbidity and mortality this can be directly related to disruption of healthcare services as happened in march 2020 in several eueea countries and the uk but also to the high mortality associated with outbreaks in ltcfs residents and in other populations with defined factors associated with elevated risk for severe covid19 if these are not appropriately shielded in summary the impact could be very high not only from a public health perspective but also because covid19 outbreaks can cause huge economic and societal disruptions", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.10356134324612586, + 1420 + ], + [ + "Fake coronavirus vaccines and repurposed drugs are being sold on the dark web", + "australian researchers have found a smorgasbord of covid19related medicines such as the much hyped antimalarial drug hydroxychloroquine for sale on the dark webthe shadowy dark web online network is being used to peddle a range of fake vaccines and repurposed drugs that cyber criminals claim can treat coronavirus researchers at the australian national university have published a new study revealing how cyber criminals are taking advantage of the pandemic to sell a range of purported vaccines as well as drugs marketed as cures for the virusreport author roderic broadhurst said the dark web a hidden network of websites only accessible through special routing software gave a revealing glimpse into criminal trends dark net markets give us a useful window into what sort of trends in criminal entrepreneurial enterprise are happening and to get ahead of the game so to speak he saidthese kinds of markets are prone to scams and fakes and what we have seen is covid19related products are unlikely to be exempt the research was captured over one day in april analysing 645 listings across 20 dark net marketsit uncovered 12 of those markets had posted coronavirusrelated productsalmost half of those listings were personal protective gear such as surgical masks and a third of the items available were antiviral or repurposed medications that have been publicly touted as being possible cures for the virussix per cent of the listings sold fraudulent or untested vaccines with the most expensive vaccine listed at 24598 and the average cost at 575 the majority of the sellers were shipping from the united states or europe our concern is that the next frontier could be blood plasma from recovered patients turning up on the dark web we didnt find such listings but there is already demand for it in forums professor broadhurst said convalescent plasma therapy which involves taking blood from a patient who has made a full recovery from the coronavirus is one of several emerging but unproven therapies major health risks dr harry nespolon the president of the royal australian college of gps strongly urged people not to purchase therapies or vaccines on the dark web the only thing that we know that works against covid19 at the moment is social distancing and antiviral activity such as coughing into your elbow regularly watching your hands he said when it comes to medications we know a lot of the medications sourced through unofficial channels are fake and as of today they all dont workwhen it comes to vaccines we know that there are no vaccines available for covid19 and even if there was vaccines need to be kept refrigerated so having them delivered by posts even if there was one would mean that it probably was ineffective the australian health protection principal committee the peak body that manages health emergencies has previously stated that experimental use of medications such as antimalarial drugs for covid19 treatment was not recommended and should only be prescribed as part of a clinical trial australian mining magnate clive palmer this week advertised that he had bought 33 million doses of the antimalarial drug hydroxychloroquinethe reports authors cautioned that fake vaccines could worsen the spread of the virus because users could behave as if they were immune but nevertheless become infected ", + "https://www.sbs.com.au/", + "TRUE", + -0.037542306178669806, + 543 + ], + [ + "What is Coronavirus disease 2019?", + "coronavirus disease 2019 or covid19 is a new respiratory virus first identified in wuhan hubei province china ", + "https://www.chop.edu/", + "TRUE", + 0.19318181818181818, + 17 + ], + [ + "How deadly is the new coronavirus? Data from the spread of US cases could help answer that", + "more data on mild and asymptomatic cases is desperately neededas new reports of novel coronavirus cases surface along the us west coast new research and the existing disease surveillance network may finally shed light on some of the most burning questions about the new virus called sarscov2among the most pressing questions how many cases are asymptomatic versus mild moderate or severe and what is the real rate of fatalities compared with the total number of casesinitial reports of the new coronavirus emerged from wuhan china in december 2019 with patients presenting with pneumonia of unknown origin as of march 2 more than 90000 cases had been confirmed worldwide including 45705 cases that ended with patients recovering and more than 3000 fatalities on feb 28 us health officials confirmed the first known case of the new coronavirus in a patient in the san francisco bay area who had neither traveled abroad nor been exposed to someone known to have traveled to an area affected by the disease which is called covid19 since then testing for the new coronavirus has quickly expanded bringing the known total of cases to 105 in the us seven people in the us have died from covid19tracing us spread\ngenetic analysis of the virus circulating on the west coast suggests that covid19 has been transmitting through the region for about six weeks this community spread was not detected earlier for several reasons first about 81 of cases do not require hospitalization according to data from the outbreak in china people experiencing symptoms such as a mild fever cough and congestion are unlikely to visit a doctor second centers for disease control and prevention cdc protocol limited testing to only those with symptoms and a history of travel to an affected region finally there is a lag between virus transmission and fatalities simply because it takes time for the most severe cases to kill a world health organization report from china found that it took three to six weeks for critical cases to be resolved either when the patient died or recoveredwhat is not yet clear from the us data is how many people have been infected with the new coronavirus this number is key for understanding disease severity and the mortality rate after all you must know the total number of cases to know what proportion of patients will become severely ill or die chinas best data so far puts the casefatality rate at 23 but that number may drop with better detection of mild and asymptomatic cases scientists expect to know more about this number in the coming weeks broader testing will help paul biddinger the vice chairman for emergency preparedness in the emergency medicine department of massachusetts general hospital said in a harvard th chan school of public health webcast on march 2 however testing in the next days to weeks will still likely be limited to a subset of the sickest patients biddinger saidwe have right now so few tests available that we have to prioritize testing for severe illness he said in the webcastthe weapons of public health another method of ferreting out new coronavirus cases is looking at existing influenza and respiratory illness surveillance this is the breadandbutter work of public health said jennifer horney the director of the epidemiology program at the university of delaware most states have whats called syndromic surveillance in which emergency rooms emergency medical services poison control centers and other medical centers report occurrences of influenzalike symptoms washington state for example uses the rapid health information network rhino to collect data in near real timemost states also have specific flumonitoring networks which gather reports of diagnosed influenza cases usually on a weekly basis all of this is information that state health departments can use to search for hints of undiagnosed covid19 theyll be able to go back and see did we have more than a typical number of influenzalike illnesses given what we know now horney told live sciencethe number of cases it takes to raise the alarm depends on the infectious agent the time of year and the population in a region horney said in a large city like seattle in the middle of winter it might take hundreds of extra cases to raise the alarm but in a less populous area in at the end of the season it could take just a handful \nalready researchers are seeking out coronavirus cases in a more active way the seattle flu study which uses genetic sequencing to track the transmission of seasonal influenza has begun testing its samples for possible coronavirus as well as flu the team has already reported finding a case of coronavirus in a snohomish county high school student who had tested negative for the flu and who had been sent home to recover from mild respiratory symptoms public health researchers will also seek out cases based on interviews similar to the way epidemiologists track an outbreak of foodborne illness horney said as cases emerge researchers reach out to hospitals and clinics in the affected area searching for patients with telltale symptoms who were not diagnosed at the time of treatment they can then interview those people to find out everywhere theyve been and everyone theyve interacted with in the case of salmonella a pattern might pop out everyones eaten the same bagged spinach or the same brand of fruit cup in the case of covid19 the researchers might find that people with symptoms frequented the same stores or worked in the same office park already the washington state health department has monitoring contacts of the people already confirmed to have the coronavirus if we find that shared exposure then we can link all those cases regardless of severity horney saidpyramid of cases tracking people with symptoms whether mild moderate or severe is only the beginning however one big question about the new coronavirus is how many people transmit covid19 without showing symptoms at all or showing so few symptoms they hardly realize they are sick marc lipsitch an epidemiologist at the harvard th chan school of public health said in the march 2 webcast asymptomatic carriers and people with mild symptoms may be like the base of the iceberg lipsitch said theyre hard to detect but theyre very important for modeling how the disease will spreadwhen we model transmission and when we project how many people are going to get infected the models dont know how many people are sick or really sick they know how many are infected regardless of severity lipsitch said scientists in china have already started doing studies that look for antibodies to the virus in peoples blood lipsitch said these studies are the only surefire way to confirm that someone has been infected with sarscov2 after the person recovers the research will take time but the more researchers know about the speed of the diseases spread the more theyll be able to say about the likely length of the outbreakwhat ultimately brings an epidemic under control lipsitch said is most people in the population becoming immune ", + "https://www.livescience.com/", + "TRUE", + 0.11864058258126063, + 1178 + ], + [ + "WHO says coronavirus came from an animal and was not made in a lab", + "the available evidence indicates coronavirus originated in animals in china late last year and was not manipulated or produced in a laboratory as has been alleged the world health organization said tuesday in a news briefing in geneva it is probable likely that the virus is of animal origin who spokeswoman fadela chaib saidthe global health bodys remarks follow confirmation from president donald trump last week that his administration is investigating whether coronavirus originated in a lab in the chinese city of wuhan where the disease emerged speculation about how coronavirus may have escaped the wuhan institute of virology has circulated among rightwing bloggers and conservative media pundits \ncoronavirus and collegecoronavirus displaced millions of college students who worry how theyre going to voteone suggestion that the virus could be manmade and linked to a chinese biowarfare program has been widely dismissed by scientists under a second scenario the virus was naturally occurring from a bat say but accidentally escaped the research facility because of poor safety protocolsboth notions are based on circumstantial evidence such as the wuhan institute of virologys history of studying coronaviruses in bats the labs proximity to where some of the infections were first diagnosed and chinas lax safety record in its labs chaib said there remain questions over how precisely coronavirus jumped the species barrier to humans but an intermediate animal host is the most likely explanation she said the coronavirus which causes the disease covid19 most probably has its ecological reservoir in batsthe trump administration accused the who of a catalog of errors over its response to the pandemic including failing to adequately prepare for the outbreak raising the alarm too slowly and naively accepting flawed information from chinathe who disputed all the allegations most public health experts dont agree with the trump administrations specific criticisms of the who although they acknowledge that the organization needs reform and lacks transparency the washington post reported over the weekend that american officials working with the who sent back information to the white house about the spread of the virus in the crucial early days of january", + "https://www.usatoday.com/", + "TRUE", + 0.04635416666666666, + 349 + ], + [ + "Scientists ‘strongly condemn’ rumors and conspiracy theories about origin of coronavirus outbreak", + "a group of 27 prominent public health scientists from outside china is pushing back against a steady stream of stories and even a scientific paper suggesting a laboratory in wuhan china may be the origin of the outbreak of covid19 the rapid open and transparent sharing of data on this outbreak is now being threatened by rumours and misinformation around its origins the scientists from nine countries write in a statement published online by the lancet yesterday\nthe letter does not criticize any specific assertions about the origin of the outbreak but many posts on social media have singled out the wuhan institute of virology for intense scrutiny because it has a laboratory at the highest security levelbiosafety level 4and its researchers study coronaviruses from bats including the one that is closest to sarscov2 the virus that causes covid19 speculations have included the possibility that the virus was bioengineered in the lab or that a lab worker was infected while handling a bat and then transmitted the disease to others outside the lab researchers from the institute have insisted there is no link between the outbreak and their laboratorywe stand together to strongly condemn conspiracy theories suggesting that covid19 does not have a natural origin says the lancet statement which praises the work of chinese health professionals as remarkable and encourages others to sign on as wellus senator tom cotton rar added fuel to controversial assertions on fox news earlier this month when he noted that the lab was a few miles away from a seafood market that had a large cluster of some of the first cases detected we dont have evidence that this disease originated there but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says cotton said noting that the chinese government initially turned down the us governments offer to send scientists to the country to help clarify questions about the outbreakthe authors of the lancet statement note that scientists from several countries who have studied sarscov2 overwhelmingly conclude that this coronavirus originated in wildlife just like many other viruses that have recently emerged in humans conspiracy theories do nothing but create fear rumours and prejudice that jeopardise our global collaboration in the fight against this virus the statement sayspeter daszak president of the ecohealth alliance and a cosignatory of the statement has collaborated with researchers at the wuhan institute who study bat coronaviruses were in the midst of the social media misinformation age and these rumors and conspiracy theories have real consequences including threats of violence that have occurred to our colleagues in china daszak a disease ecologist told scienceinsider we have a choice whether to stand up and support colleagues who are being attacked and threatened daily by conspiracy theorists or to just turn a blind eye im really proud that people from nine countries are able to rapidly come to their defense and show solidarity with people who are after all dealing with horrific conditions in an outbreak", + "https://www.sciencemag.org/", + "TRUE", + 0.10676748176748178, + 508 + ], + [ + "11 Questions Parents May Have About Coronavirus", + "can i take my kid to the playground or on the subway should my child be tested we asked expertsschools across the country have closed in response to the new coronavirus and many parents have questions about how to go about their daily lives while managing their children whose personal boundaries and hygiene levels are not always idealbecause the situation is evolving rapidly and the virus is new the advice may continue to change as we learn more were not seeing much in the way of serious illness among children said dr peter j hotez md phd the dean of the national school of tropical medicine at baylor college of medicineon march 18 the centers for disease control and prevention released new preliminary data on the outcomes of the first 4226 americans infected with the new coronavirus finding no fatalities or admissions to intensive care units among those under 19researchers from china published a study online in the journal pediatrics in march which examined more than 2000 children under 18 who either had or were suspected of having covid19 the disease caused by the new coronavirus the researchers found that while the majority of children in the study had either no symptoms mild symptoms or moderate symptoms nearly 6 percent became more seriously ill particularly those under 5 however its unclear if the children with more serious symptoms were sick with covid19 or with another respiratory virus said dr sean oleary md an executive member of the american academy of pediatrics committee on infectious diseasesstill this study confirms what we have been suspecting that its almost certainly less severe in children but its not zero he said agreeing that it was prudent for many schools to close were in the midst of something that no one alive has really experienced before he saidwith that in mind here are some answers to common questions", + "https://www.nytimes.com/", + "TRUE", + 0.10979997014479773, + 313 + ], + [ + "Are antibiotics effective in preventing and treating COVID-19?", + "no antibiotics do not work against viruses they only work on bacterial infections covid19 is caused by a virus so antibiotics do not work antibiotics should not be used as a means of prevention or treatment of covid19 in hospitals physicians will sometimes use antibiotics to prevent or treat secondary bacterial infections which can be a complication of covid19 in severely ill patients they should only be used as directed by a physician to treat a bacterial infection", + "https://www.who.int/", + "TRUE", + -0.2, + 78 + ], + [ + "What is coronavirus?", + "coronaviruses are an extremely common cause of colds and other upper respiratory infections", + "https://www.health.harvard.edu/", + "TRUE", + -0.14166666666666666, + 13 + ], + [ + "Why is it so difficult to develop treatments for viral illnesses?", + "an antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we develop", + "https://www.health.harvard.edu/", + "TRUE", + 0.16204545454545455, + 77 + ], + [ + "What are the symptoms of COVID-19 infection", + "symptoms of covid19 vary in severity from having no symptoms at all being asymptomatic to having fever cough sore throat general weakness and fatigue and muscular pain and in the most severe cases severe pneumonia acute respiratory distress syndrome sepsis and septic shock all potentially leading to death reports show that clinical deterioration can occur rapidly often during the second week of diseaserecently anosmia loss of the sense of smell and in some cases the loss of the sense of taste have been reported as a symptom of a covid19 infection there is already evidence from south korea china and italy that patients with confirmed sarscov2 infection have developed anosmiahyposmia in some cases in the absence of any other symptoms", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.16805555555555554, + 120 + ], + [ + "What determines whether a virus disappears or becomes endemic?", + "two main clues help us predict whether a virus is going to stick around first we consider the viruss origins if it came from animals and could still be circulating in animals then no matter how good we are at getting rid of it in humans animals could always bring it back thats true with influenza even if a certain strain disappears a new one might emerge from animalsas weve seen with avian virusesbut with a major outbreak like covid19 already underway in humans the big question is how good humans are at developing immunity and if they gain immunity does it stick or does it fizzle out over timeleaving the door open a crack for the virus to return as the first cases get further and further out from the point of infection that data will give us a better idea of what to expect", + "https://www.globalhealthnow.org/", + "TRUE", + 0.22198773448773448, + 146 + ], + [ + null, + "while allocation is a very complex and delicate choice the choice to prioritize certain patients is not a value judgments but a way to provide extremely scarce resources to those who have the highest likelihood of survival and could enjoy the largest number of lifeyears saved", + "twitter", + "TRUE", + -0.040142857142857126, + 46 + ], + [ + "Can eating garlic help prevent infection with the new coronavirus?", + "garlic is a healthy food that may have some antimicrobial properties however there is no evidence from the current outbreak that eating garlic has protected people from the new coronavirus", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.21212121212121213, + 30 + ], + [ + "How long will it take to develop a treatment or vaccine?", + "a few drugs are being tested in clinical trialsbut a vaccine is still at least a year awaythere are no approved treatments for any coronavirus diseases including the new coronavirusseveral drugs are being tested and some initial findings are expected soon an antiviral medication called remdesivir appears to be effective in animals and it was used to treat the first american patient in washington state researchers are now testing the drug in clinical trials in the united states china and other countries\nseveral groups are also working to develop a vaccine for the virus in order to stop the spread of the disease but vaccines take timeafter the sars outbreak in 2003 it took researchers about 20 months to get a vaccine ready for human trials the vaccine was never needed because the disease was eventually contained by the time of the zika outbreak in 2015 researchers had brought the development timeline down to six monthsnow they hope that work from past outbreaks will help cut the timeline even further researchers have already studied the genome of the new coronavirus and found the proteins that are crucial for infection scientists from the national institutes of health in australia and at least three companies are working on vaccine candidatesif we dont run into any unforeseen obstacles well be able to get a phase 1 trial going within the next three months said dr anthony fauci director of the national institute of allergy and infectious diseasesdr fauci cautioned that it could still take months and even years after initial trials to conduct extensive testing that can prove a vaccine is safe and effective in the best case a vaccine may become available to the public a year from now", + "https://www.nytimes.com/", + "TRUE", + 0.10150613275613275, + 287 + ], + [ + "Is there a cure for the new coronavirus?", + "when would you know you have the viruscovid19 the respiratory disease caused by the new coronavirus has spread to every continent except antarctica not too long after the virus was first discovered at the end of december labs turned their sights toward treatmentcurrently however there is no cure for this coronavirus and treatments are based on the kind of care given for influenza seasonal flu and other severe respiratory illnesses known as supportive care according to the centers for disease control and prevention cdc these treatments essentially treat the symptoms which often in the case of covid19 involve fever cough and shortness of breath in mild cases this might simply mean rest and feverreducing medications such as acetaminophen tylenol for comfort\nin hospitals doctors and nurses are sometimes treating covid19 patients with the antiviral drug oseltamivir or tamiflu which seems to suppress the virus reproduction in at least some cases this is somewhat surprising michigan tech virologist ebenezer tumban told live science as tamiflu was designed to target an enzyme on the influenza virus not on coronaviruses the national institutes of health has begun a clinical trial at the university of nebraska medical center to test the antiviral remdesivir for covid19 the agency announced feb 25 in china doctors are also testing an array of other antivirals originally designed to treat ebola and hiv nature biotechnology reportedin cases in which pneumonia inhibits breathing treatment involves ventilation with oxygen ventilators blow air into the lungs through a mask or a tube inserted directly into the windpipe a new england journal of medicine study of 1099 hospitalized patients with the coronavirus in china found that 413 needed supplemental oxygen and 23 needed invasive mechanical ventilation glucocorticoids were given to 186 of patients a treatment often used to reduce inflammation and help open airways during respiratory diseasethere is no vaccine for the coronavirus that causes covid19 scientists are working to develop one hilary marston a medical officer and policy advisor at the national institute of allergy and infectious diseases niaid said in a harvard th chan school of public health webcast on monday march 2 as of march 14 doctors in seattle are recruiting volunteers to participate in a clinical trial for an experimental vaccine for covid19 thats being developed by the biotechnology company moderna therapeutics however biomedical ethicists are concerned that a critical step in vaccine development was skipped in order to fasttrack the vaccine the researchers didnt first show that it triggered an immune response in animals a step that is normally required before human testing live science previously reportedthe researchers did begin testing the experimental vaccine on lab mice on the same day they started recruiting people for the clinical trial stat news reported the mice did show an immune response that was similar to the one triggered by an experimental vaccine for a related coronavirus merscov vaccines work by priming your immune system to recognize a virus like sarscov2 as an enemy and put up an attack against iteven so doctors arent sure how much this fasttracking will speed up the time it takes to develop and bring such a vaccine to market before this experimental vaccine was in the works marston had said not to expect a vaccine in the near term if everything moves as quickly as possible the soonest that it could possibly be is about oneandahalf to two years that still might be very optimistic marston saidcoronavirus basics the novel coronavirus now called sarscov2 causes the disease covid19 the virus was first identified in wuhan china on dec 31 2019 though it seems to have been spreading well before that date since then it has spread to every continent except antarctica the death rate appears to be higher than that of the seasonal flu but it also varies by location as well as a persons age underlying health conditions among other factors for instance in hubei province the epicenter of the outbreak the death rate reached 29 whereas it was just 04 in other provinces in china according to a study published feb 18 in the china cdc weeklyscientists arent certain where the virus originated though they know that coronaviruses which also include sars and mers are passed between animals and humans research comparing the genetic sequence of sarscov2 with a viral database suggests it originated in bats since no bats were sold at the seafood market in wuhan at the diseases epicenter researchers suggest an intermediate animal possibly the pangolin an endangered mammal is responsible for the transmission to humans there are currently no treatments for the disease but labs are working on various types of treatments including a vaccine ", + "https://www.livescience.com/", + "TRUE", + 0.09209436396936398, + 776 + ], + [ + "What should I do if I have come in close contact with someone who has COVID-19? ", + "if you have been in close contact with someone with covid19 you may be infectedclose contact means that you live with or have been in settings of less than 1 metre from those who have the disease in these cases it is best to stay at homehowever if you live in an area with malaria or dengue fever it is important that you do not ignore symptoms of fever seek medical help when you attend the health facility wear a mask if possible keep at least 1 metre distant from other people and do not touch surfaces with your hands if it is a child who is sick help the child stick to this adviceif you do not live in an area with malaria or dengue fever please do the followingif you become ill even with very mild symptoms you must selfisolate even if you dont think you have been exposed to covid19 but develop symptoms then selfisolate and monitor yourself you are more likely to infect others in the early stages of the disease when you just have mild symptoms therefore early selfisolation is very importantif you do not have symptoms but have been exposed to an infected person selfquarantine for 14 daysif you have definitely had covid19 confirmed by a test selfisolate for 14 days even after symptoms have disappeared as a precautionary measure it is not yet known exactly how long people remain infectious after they have recovered follow national advice on selfisolation", + "https://www.who.int/", + "TRUE", + 0.0818858225108225, + 246 + ], + [ + "How does coronavirus kill? Clinicians trace a ferocious rampage through the body, from brain to toes", + "on rounds in a 20bed intensive care unit one recent day physician joshua denson assessed two patients with seizures many with respiratory failure and others whose kidneys were on a dangerous downhill slide days earlier his rounds had been interrupted as his team tried and failed to resuscitate a young woman whose heart had stopped all shared one thing says denson a pulmonary and critical care physician at the tulane university school of medicine they are all covid positiveas the number of confirmed cases of covid19 surges past 22 million globally and deaths surpass 150000 clinicians and pathologists are struggling to understand the damage wrought by the coronavirus as it tears through the body they are realizing that although the lungs are ground zero its reach can extend to many organs including the heart and blood vessels kidneys gut and brainthe disease can attack almost anything in the body with devastating consequences says cardiologist harlan krumholz of yale university and yalenew haven hospital who is leading multiple efforts to gather clinical data on covid19 its ferocity is breathtaking and humblingunderstanding the rampage could help the doctors on the front lines treat the fraction of infected people who become desperately and sometimes mysteriously ill does a dangerous newly observed tendency to blood clotting transform some mild cases into lifethreatening emergencies is an overzealous immune response behind the worst cases suggesting treatment with immunesuppressing drugs could help what explains the startlingly low blood oxygen that some physicians are reporting in patients who nonetheless are not gasping for breath taking a systems approach may be beneficial as we start thinking about therapies says nilam mangalmurti a pulmonary intensivist at the hospital of the university of pennsylvania what follows is a snapshot of the fastevolving understanding of how the virus attacks cells around the body especially in the roughly 5 of patients who become critically ill despite the more than 1000 papers now spilling into journals and onto preprint servers every week a clear picture is elusive as the virus acts like no pathogen humanity has ever seen without larger prospective controlled studies that are only now being launched scientists must pull information from small studies and case reports often published at warp speed and not yet peer reviewed we need to keep a very open mind as this phenomenon goes forward says nancy reau a liver transplant physician who has been treating covid19 patients at rush university medical center we are still learningthe infection beginswhen an infected person expels virusladen droplets and someone else inhales them the novel coronavirus called sarscov2 enters the nose and throat it finds a welcome home in the lining of the nose according to a preprint from scientists at the wellcome sanger institute and elsewhere they found that cells there are rich in a cellsurface receptor called angiotensinconverting enzyme 2 ace2 throughout the body the presence of ace2 which normally helps regulate blood pressure marks tissues vulnerable to infection because the virus requires that receptor to enter a cell once inside the virus hijacks the cells machinery making myriad copies of itself and invading new cellsas the virus multiplies an infected person may shed copious amounts of it especially during the first week or so symptoms may be absent at this point or the virus new victim may develop a fever dry cough sore throat loss of smell and taste or head and body achesif the immune system doesnt beat back sarscov2 during this initial phase the virus then marches down the windpipe to attack the lungs where it can turn deadly the thinner distant branches of the lungs respiratory tree end in tiny air sacs called alveoli each lined by a single layer of cells that are also rich in ace2 receptorsnormally oxygen crosses the alveoli into the capillaries tiny blood vessels that lie beside the air sacs the oxygen is then carried to the rest of the body but as the immune system wars with the invader the battle itself disrupts this healthy oxygen transfer frontline white blood cells release inflammatory molecules called chemokines which in turn summon more immune cells that target and kill virusinfected cells leaving a stew of fluid and dead cellspusbehind this is the underlying pathology of pneumonia with its corresponding symptoms coughing fever and rapid shallow respiration see graphic some covid19 patients recover sometimes with no more support than oxygen breathed in through nasal prongsbut others deteriorate often quite suddenly developing a condition called acute respiratory distress syndrome ards oxygen levels in their blood plummet and they struggle ever harder to breathe on xrays and computed tomography scans their lungs are riddled with white opacities where black spaceairshould be commonly these patients end up on ventilators many die autopsies show their alveoli became stuffed with fluid white blood cells mucus and the detritus of destroyed lung cellsan invaders impact in serious cases sarscov2 lands in the lungs and can do deep damage there but the virus or the bodys response to it can injure many other organs scientists are just beginning to probe the scope and nature of that harm click on organ name for moresome clinicians suspect the driving force in many gravely ill patients downhill trajectories is a disastrous overreaction of the immune system known as a cytokine storm which other viral infections are known to trigger cytokines are chemical signaling molecules that guide a healthy immune response but in a cytokine storm levels of certain cytokines soar far beyond whats needed and immune cells start to attack healthy tissues blood vessels leak blood pressure drops clots form and catastrophic organ failure can ensuesome studies have shown elevated levels of these inflammationinducing cytokines in the blood of hospitalized covid19 patients the real morbidity and mortality of this disease is probably driven by this out of proportion inflammatory response to the virus says jamie garfield a pulmonologist who cares for covid19 patients at temple university hospitalbut others arent convinced there seems to have been a quick move to associate covid19 with these hyperinflammatory states i havent really seen convincing data that that is the case says joseph levitt a pulmonary critical care physician at the stanford university school of medicinehes also worried that efforts to dampen a cytokine response could backfire several drugs targeting specific cytokines are in clinical trials in covid19 patients but levitt fears those drugs may suppress the immune response that the body needs to fight off the virus theres a real risk that we allow more viral replication levitt saysmeanwhile other scientists are zeroing in on an entirely different organ system that they say is driving some patients rapid deterioration the heart and blood vesselsstriking the heartin brescia italy a 53yearold woman walked into the emergency room of her local hospital with all the classic symptoms of a heart attack including telltale signs in her electrocardiogram and high levels of a blood marker suggesting damaged cardiac muscles further tests showed cardiac swelling and scarring and a left ventriclenormally the powerhouse chamber of the heartso weak that it could only pump onethird its normal amount of blood but when doctors injected dye in the coronary arteries looking for the blockage that signifies a heart attack they found none another test revealed why the woman had covid19how the virus attacks the heart and blood vessels is a mystery but dozens of preprints and papers attest that such damage is common a 25 march paper in jama cardiology documented heart damage in nearly 20 of patients out of 416 hospitalized for covid19 in wuhan china in another wuhan study 44 of 36 patients admitted to the icu had arrhythmiasthe disruption seems to extend to the blood itself among 184 covid19 patients in a dutch icu 38 had blood that clotted abnormally and almost onethird already had clots according to a 10 april paper in thrombosis research blood clots can break apart and land in the lungs blocking vital arteriesa condition known as pulmonary embolism which has reportedly killed covid19 patients clots from arteries can also lodge in the brain causing stroke many patients have dramatically high levels of ddimer a byproduct of blood clots says behnood bikdeli a cardiovascular medicine fellow at columbia university medical center\nthe more we look the more likely it becomes that blood clots are a major player in the disease severity and mortality from covid19 bikdeli saysinfection may also lead to blood vessel constriction reports are emerging of ischemia in the fingers and toesa reduction in blood flow that can lead to swollen painful digits and tissue deaththe more we look the more likely it becomes that blood clots are a major player in the disease severity and mortality from covid19 in the lungs blood vessel constriction might help explain anecdotal reports of a perplexing phenomenon seen in pneumonia caused by covid19 some patients have extremely low bloodoxygen levels and yet are not gasping for breath its possible that at some stages of disease the virus alters the delicate balance of hormones that help regulate blood pressure and constricts blood vessels going to the lungs so oxygen uptake is impeded by constricted blood vessels rather than by clogged alveoli one theory is that the virus affects the vascular biology and thats why we see these really low oxygen levels levitt saysif covid19 targets blood vessels that could also help explain why patients with preexisting damage to those vessels for example from diabetes and high blood pressure face higher risk of serious disease recent centers for disease control and prevention cdc data on hospitalized patients in 14 us states found that about onethird had chronic lung diseasebut nearly as many had diabetes and fully half had preexisting high blood pressuremangalmurti says she has been shocked by the fact that we dont have a huge number of asthmatics or patients with other respiratory diseases in hups icu its very striking to us that risk factors seem to be vascular diabetes obesity age hypertensionscientists are struggling to understand exactly what causes the cardiovascular damage the virus may directly attack the lining of the heart and blood vessels which like the nose and alveoli are rich in ace2 receptors or perhaps lack of oxygen due to the chaos in the lungs damages blood vessels or a cytokine storm could ravage the heart as it does other organswere still at the beginning krumholz says we really dont understand who is vulnerable why some people are affected so severely why it comes on so rapidly and why it is so hard for some to recovermultiple battlefieldsthe worldwide fears of ventilator shortages for failing lungs have received plenty of attention not so a scramble for another type of equipment dialysis machines if these folks are not dying of lung failure theyre dying of renal failure says neurologist jennifer frontera of new york universitys langone medical center which has treated thousands of covid19 patients her hospital is developing a dialysis protocol with different machines to support additional patients the need for dialysis may be because the kidneys abundantly endowed with ace2 receptors present another viral targetaccording to one preprint 27 of 85 hospitalized patients in wuhan had kidney failure another reported that 59 of nearly 200 hospitalized covid19 patients in chinas hubei and sichuan provinces had protein in their urine and 44 had blood both suggest kidney damage those with acute kidney injury aki were more than five times as likely to die as covid19 patients without it the same chinese preprint reportedthe lung is the primary battle zone but a fraction of the virus possibly attacks the kidney and as on the real battlefield if two places are being attacked at the same time each place gets worse says hongbo jia a neuroscientist at the chinese academy of sciencess suzhou institute of biomedical engineering and technology and a coauthor of that studyviral particles were identified in electron micrographs of kidneys from autopsies in one study suggesting a direct viral attack but kidney injury may also be collateral damage ventilators boost the risk of kidney damage as do antiviral compounds including remdesivir which is being deployed experimentally in covid19 patients cytokine storms also can dramatically reduce blood flow to the kidney causing oftenfatal damage and preexisting diseases like diabetes can increase the chances of kidney injury there is a whole bucket of people who already have some chronic kidney disease who are at higher risk for acute kidney injury says suzanne watnick chief medical officer at northwest kidney centersbuffeting the brainanother striking set of symptoms in covid19 patients centers on the brain and central nervous system frontera says neurologists are needed to assess 5 to 10 of coronavirus patients at her hospital but she says that is probably a gross underestimate of the number whose brains are struggling especially because many are sedated and on ventilatorsfrontera has seen patients with the brain inflammation encephalitis with seizures and with a sympathetic storm a hyperreaction of the sympathetic nervous system that causes seizurelike symptoms and is most common after a traumatic brain injury some people with covid19 briefly lose consciousness others have strokes many report losing their sense of smell and frontera and others wonder whether in some cases infection depresses the brain stem reflex that senses oxygen starvation this is another explanation for anecdotal observations that some patients arent gasping for air despite dangerously low blood oxygen levels\nace2 receptors are present in the neural cortex and brain stem says robert stevens an intensive care physician at johns hopkins medicine but its not known under what circumstances the virus penetrates the brain and interacts with these receptors that said the coronavirus behind the 2003 severe acute respiratory syndrome sars epidemica close cousin of todays culpritcould infiltrate neurons and sometimes caused encephalitis on 3 april a case study in the international journal of infectious diseases from a team in japan reported traces of new coronavirus in the cerebrospinal fluid of a covid19 patient who developed meningitis and encephalitis suggesting it too can penetrate the central nervous systembut other factors could be damaging the brain for example a cytokine storm could cause brain swelling and the bloods exaggerated tendency to clot could trigger strokes the challenge now is to shift from conjecture to confidence at a time when staff are focused on saving lives and even neurologic assessments like inducing the gag reflex or transporting patients for brain scans risk spreading the viruslast month sherry chou a neurologist at the university of pittsburgh medical center began to organize a worldwide consortium that now includes 50 centers to draw neurological data from care patients already receive the early goals are simple identify the prevalence of neurologic complications in hospitalized patients and document how they fare longer term chou and her colleagues hope to gather scans lab tests and other data to better understand the virus impact on the nervous system including the brainchou speculates about a possible invasion route through the nose then upward and through the olfactory bulbexplaining reports of a loss of smellwhich connects to the brain its a nice sounding theory she says we really have to go and prove thatmost neurological symptoms are reported from colleague to colleague by word of mouth chou adds i dont think anybody and certainly not me can say were expertsreaching the gut in early march a 71yearold michigan woman returned from a nile river cruise with bloody diarrhea vomiting and abdominal pain initially doctors suspected she had a common stomach bug such as salmonella but after she developed a cough doctors took a nasal swab and found her positive for the novel coronavirus a stool sample positive for viral rna as well as signs of colon injury seen in an endoscopy pointed to a gastrointestinal gi infection with the coronavirus according to a paper posted online in the american journal of gastroenterology her case adds to a growing body of evidence suggesting the new coronavirus like its cousin sars can infect the lining of the lower digestive tract where the crucial ace2 receptors are abundant viral rna has been found in as many as 53 of sampled patients stool samples and in a paper in press at gastroenterology a chinese team reported finding the virus protein shell in gastric duodenal and rectal cells in biopsies from a covid19 patient i think it probably does replicate in the gastrointestinal tract says mary estes a virologist at baylor college of medicinerecent reports suggest up to half of patients averaging about 20 across studies experience diarrhea says brennan spiegel of cedarssinai medical center in los angeles coeditorinchief of ajg gi symptoms arent on cdcs list of covid19 symptoms which could cause some covid19 cases to go undetected spiegel and others say if you mainly have fever and diarrhea you wont be tested for covid says douglas corley of kaiser permanente northern california coeditor of gastroenterologythe presence of virus in the gi tract raises the unsettling possibility that it could be passed on through feces but its not yet clear whether stool contains intact infectious virus or only rna and proteins to date we have no evidence that fecal transmission is important says coronavirus expert stanley perlman of the university of iowa cdc says that based on experiences with sars and with the virus that causes middle east respiratory syndrome another dangerous cousin of the new coronavirus the risk from fecal transmission is probably lowthe intestines are not the end of the diseases march through the body for example up to onethird of hospitalized patients develop conjunctivitispink watery eyesalthough its not clear that the virus directly invades the eye other reports suggest liver damage more than half of covid19 patients hospitalized in two chinese centers had elevated levels of enzymes indicating injury to the liver or bile ducts but several experts told science that direct viral invasion isnt likely the culprit they say other events in a failing body like drugs or an immune system in overdrive are more likely driving the liver damagethis map of the devastation that covid19 can inflict on the body is still just a sketch it will take years of painstaking research to sharpen the picture of its reach and the cascade of cardiovascular and immune effects it might set in motion as science races ahead from probing tissues under microscopes to testing drugs on patients the hope is for treatments more wily than the virus that has stopped the world in its tracks", + "https://www.sciencemag.org/", + "TRUE", + 0.0410693291226078, + 3069 + ], + [ + "Covid-19 isn't just a respiratory disease. It hits the whole body", + "the patient had been relatively fine for the first 10 days he was down with covid19just 38 he didnt fit the description of people at high risk of complications from the new coronavirushe had mild pulmonary symptoms that he was just sitting at home with said dr sean wengerter a vascular surgeon in pomona new york he had been diagnosed at an urgent care clinic and it was going fine at home he just had a little coughuntil one of covid19s surprising effects kicked inthen he just woke up with both his legs numb and cold and so weak he couldnt walk said wengerter who is division chief of vascular surgery at westchester medical center healths good samaritan hospitalcoronavirus can cause blood clotsthis relatively young man had an aortic occlusion a big blood clot in the bodys main artery right above where it splits into two parts to run into each leg blood was not getting into the iliac arteries and his legs were being starvedits an extremely dangerous development that can kill between 20 and 50 of patients wengerter said it just doesnt usually happen in a 38yearold he told cnnquick diagnosis and a surgical procedure to slice open the arteries and scoop out the clot using a catheter saved the patient we had two surgeons working simultaneously on him wengerter saiddoctors treating coronavirus patients are seeing a range of odd and frightening syndromes including blood clots of all sizes throughout the body kidney failure heart inflammation and immune complicationsone thing that is both curious and evolving and frustrating is that this disease is manifesting itself in so many different ways said dr scott brakenridge an assistant professor on the acute care surgery team at the university of florida college of medicineit can also cause multisystem organ failure\nin some cases its having severe effects on the patients ability to breathe and in others it seems to be associated with development of multisystem organ failure when all your organs shut down and now its associated with immune effects in childrenwhile the new coronavirus is designated as a respiratory virus its clear that it is affecting some people throughout their bodies the most obvious symptoms of infection are classic respiratory symptoms fever pneumonia and acute respiratory distress syndromebut the virus also seems to attack some organs directly one of the most troubling is its assault on the lining of the blood vessels which in turn causes unnatural blood clottingit seems like covid the virus is creating a local inflammatory response thats leading to some of these thrombotic events wengerter said this is happening because of the direct action of the virus on the arteries themselvesother teams of doctors have reported unusual strokes in younger patients as well as pulmonary embolisms the medical name for blood clots in the lungspathologists are finding tiny blood clots in the smallest vessels as well said dr oren friedman who has been taking care of covid19 patients in the intensive care unit at cedarssinai medical center in los angelestheres no debate the virus seems to affect thrombosis and seems to directly affect your blood vessels friedman told cnn and that means it affects the whole bodyobviously every single organ in your body is fed by blood vessels so if the virus affects your blood vessels then you can have organ damage he saidit is a very confusing picture its going to take time to understand brakenridge saidit might cause childrens immune systems to overreactone of the most frightening syndromes that might be linked with covid19 is pediatric multisystem inflammatory syndrome new york city reports 52 cases mayor bill de blasio said tuesday and the new york state department of health says it is investigating 100 casesit is characterized by persistent fever inflammation poor function in one or more organs and other symptoms that resemble shock a panel of pediatricians known as the international picucovid19 collaboration saysin some cases children present with shock and some have features of kawasaki disease whereas others may present with signs of cytokine storm in some geographic areas there has been an uptick in kawasaki disease cases in children who dont have shock boston childrens hospital rheumatologist dr mary beth son said kawasaki disease involves inflammation in the walls of mediumsized arteries and can damage the heartit may be caused by an immune system response known as a cytokine storm doctors sayyour immune system is overreacting to the virus and because these are inflammatory diseases this overreaction can cause a kawasakilike disease dr glenn budnick a pediatrician in pomona new jersey said on cnn newsroom saturdayit is even possible that the antibodies that children are making to sarscov2 are creating an immune reaction in the body nobody knows said dr jane newburger a cardiologist on the boston childrens panel and an expert on kawasaki diseasecytokine storm may also cause some of the lung damage and unusual blood clotting seen in adult patients doctors said\nthere is other evidence that the virus really doesnt generate a strong immune response and actually it is suppressing the immune system brakenridge said that would allow the virus to more directly attack organsa study published in the journal nature medicine on tuesday supported both theories\ndr zheng zhang and colleagues at shenzhen third peoples hospital in shenzhen china analyzed samples of immune cells taken from the lungs of nine coronavirus patients and found abnormally high levels of immune cells called macrophages and neutrophils as well as immune signaling chemicals called cytokines and chemokines in the sicker patients sicker patients also had high levels of proliferating tcells another type of immune cellbut the patients with the most severe symptoms had lower numbers of cd8 tcells which directly kill virusinfected cellsdoctors say they are finding that various treatments can help control symptoms blood thinners can help control the unusual blood clotting while immune blockers may help control the cytokine stormit can cause covid toesone last symptom that is puzzling but less troubling is known as covid toes patients are reporting red or purple swelling of their toesits possible the tiny blood clots associated with covid19 are causing it doctors saidone pattern of covid toes that people are reporting is red lesions typically on the soles its possible that this is a skin reaction or caused by a small clog or micro clots in the blood vessels found in the toes cleveland clinic pulmonologist dr humberto choi said on the clinics websiteits not usually associated with any serious symptoms choi said", + "https://www.cnn.com/", + "TRUE", + 0.047619541277436006, + 1082 + ], + [ + "What is physical distancing and why and how should I do it?", + "physical distancing aims to reduce physical contact between potentially infected people and healthy people or between population groups with high rates of transmission and others with low or no level of transmission the objective of this is to decrease or interrupt the spread of covid19note that the term physical distancing means the same thing as the widely used term social distancing but it more accurately describes what is intended namely that people keep physically apart it is possible that physical distancing measures will have to be implemented over an extended period and their success depends partially on ensuring that people maintain social contact from a distance with friends family and colleagues internetbased communications and the phone are therefore key tools for ensuring a successful physical distancing strategyon a personal level you can perform physical distancing measures byvoluntarily selfisolating if you know you have the virus that causes covid19 or if you have suggestive respiratory symptoms or if you belong to a highrisk group ie you are aged 70 years or more or you have an underlying health conditionmany countries in the eueea and the uk have installed quarantine and socialphysical distancing as measures to prevent the further spread of the virusthese measures can includethe full or partial closure of educational institutions and workplaceslimiting the number of visitors and limiting the contact between the residents of confined settings such as longterm care facilities and prisonscancellation prohibition and restriction of mass gatherings and smaller meetingsmandatory quarantine of buildings or residential areasinternal or external border closures stayathome restrictions for entire regions or countries", + "https://www.ecdc.europa.eu", + "TRUE", + 0.09931372549019607, + 260 + ], + [ + "Do vaccines against pneumonia protect you against the new coronavirus?", + "no vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine do not provide protection against the new coronavirus the virus is so new and different that it needs its own vaccine researchers are trying to develop a vaccine against 2019ncov and who is supporting their efforts although these vaccines are not effective against 2019ncov vaccination against respiratory illnesses is highly recommended to protect your health", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.12284090909090907, + 70 + ], + [ + "Coronavirus response", + "the european commission is coordinating a common european response to the coronavirus outbreak we are taking resolute action to reinforce our public health sectors and mitigate the socioeconomic impact in the european union we are mobilising all means at our disposal to help our member states coordinate their national responses and are providing objective information about the spread of the virus and effective efforts to contain it \n\npresident von der leyen has established a coronavirus response team at political level to coordinate our response to the pandemic\n\nduring these times of crisis across the european union countries regions and cities are stretching out a helping hand to neighbours and assistance is given to those most in need donations of protective equipment such as masks crossborder treatments of ill patients and bringing stranded citizens home this is european solidarity at its best", + "https://ec.europa.eu/", + "TRUE", + 0.09333333333333332, + 141 + ], + [ + "Can travel restrictions and quarantines stem the spread of the coronavirus?", + "travel bans cant keep all cases of the virus out of a country as the epidemic expands cases may originate in any number of countries we may already have unrecognized cases in the ustravel bans can actually make us less safe they can make countries facing restrictions not want to share information about their outbreaks they can disrupt the distribution of supplies needed to control the epidemic similarly as we saw with the uss ebola response in 2014 quarantining returning travelers makes doctors and nurses less likely to volunteer to serve in affected countriesthis virus is likely past the point of containment we need to focus on mitigating its impact by speeding the development of diagnostic tools vaccines and drugs to treat infections", + "https://www.globalhealthnow.org/", + "TRUE", + -0.010416666666666661, + 123 + ], + [ + "COVID-19 IS NOT transmitted through houseflies", + "to date there is no evidence or information to suggest that the covid19 virus transmitted through houseflies the virus that cause covid19 spreads primarily through droplets generated when an infected person coughs sneezes or speaks you can also become infected by touching a contaminated surface and then touching your eyes nose or mouth before washing your hands to protect yourself keep at least 1metre distance from others and disinfect frequentlytouched surfaces clean your hands thoroughly and often and avoid touching your eyes mouth and nose", + "https://www.who.int/", + "TRUE", + 0.3277777777777778, + 85 + ], + [ + "The biggest questions about the new coronavirus and what we know so far", + "there are so many unknowns about the novel coronavirus that has triggered unprecedented quarantine efforts dangerous conspiracy theories and global alarm much of what we know about coronaviruses comes from the ones that weve dealt with before ranging from deadly global health threats such as severe acute respiratory syndrome sars to versions that cause the common cold new information is coming in on a daily basis but heres what we know so far about the respiratory virus that has as of feb 16 infected more than 69000 people and killed more than 1600 people all but four on the chinese mainland\nhow deadly is the new coronavirusthe good news is that public health officials say the new coronavirus is less deadly than sars which killed about 10 percent of people who were infected during the outbreak that began in 2002 but an urgent question needs to be answered as soon as possible how much less deadly is it about 2 percent of the reported cases as of feb 7 have been fatal but many experts say the death rate could be lower thats because early in an outbreak mild illnesses may not be reported if only people with severe illness who are more likely to die seek care and are confirmed as being sick the virus will appear much more deadly than it really is because of all the uncounted people with milder symptomsthe first question is what is the true burden of infection we dont understand the true burden of mild illness said amesh adalja an infectiousdisease expert at the johns hopkins center for health security how much is this spreading in the community unbeknown to everybody mixed in with flu and coldearly in the outbreak one expert estimated that although 2000 cases had been reported 100000 were probably already sickunderstanding how deadly the disease is and how many people really have it matters crucially to developing a public health response and preparing hospitals and the healthcare system around the worldhow easily does it spreadthe bad news is that the new coronavirus appears to spread much more easily than sars and instead is similar to other coronaviruses that cause coldlike symptoms adalja saida virus that can spread fairly easily and may already be fairly widespread presents a huge public health challengeto complicate things even more we dont know which individuals are likely to spread the virus said peter hotez dean of the national school of tropical medicine at baylor college of medicine is it those with more serious respiratory infections or coughing or are those who have mild symptoms equally likely to be spreading it i think we dont know that at this pointa case report that showed the illness could spread before symptoms occurred turned out to be incorrect although a top us official has said he still believes it can spread without symptoms based on discussions with chinese experts figuring out exactly how easily it spreads and who is infectious will be necessary for designing public health measures that are more likely to workin sars which is often cited as the other example it seemed people were quite sick before they started transmitting and thats why in my view sars was ultimately controlled said marc lipsitch an epidemiologist at the harvard th chan school of public health you really could isolate the discernibly sick peoplewho is most at risk of severe illness\nso far the risk factors for developing severe illness are thought to be similar to those for other respiratory illnesses older people and those with underlying illnesses such as diabetes or high blood pressure are at increased risk early studies have also suggested men are at greater riskbut there can be tremendous individual variation in how people respond as with other diseases for example most 17yearolds will get better from the flu after a miserable week or two but occasionally a healthy 17yearold will die some people with a strep infection will develop a sore throat but an unlucky few will develop a flesheating infection that can kill them the same thing will happen with this virus there will be people with known risk factors who recover as well as people who develop severe cases for reasons we dont understandit may be a very specific thing about the way your immune system interacts with a particular pathogen said allison mcgeer an infectiousdisease epidemiologist at the university of toronto it may also be just about exactly what your exposure is something specific to what happened to you on that day with that pathogenfiguring out who is most vulnerable will be essential to designing preventive measures such as prioritizing who gets a vaccine if one is developedwhat happens nextan optimistic scenario is that the virus is contained in china and there isnt any significant persontoperson transmission in other countries this is looking increasingly unlikely to some expertsmany of the drastic actions in china going doortodoor doing temperature checks quarantine of 50 million people draconian measures that seem to be out of a hollywood movie they are premised on the fact that this is still containable adalja said the evidence points to the fact that it is not containableif the virus takes hold outside china the biggest threat is not thought to be to countries such as the united states or others with wellresourced healthcare systems\nthe numbers will go up in the uk us western europe but there seems to be enough warning in advance to potentially halt this epidemic in the us and in europe numbers will go up but it shouldnt look anything near like what were seeing in china hotez said i cant guarantee that but the countries im more worried about are where theres a lot of transportation back and forth with china and depleted health systemshow do you treat this coronavirus illness\nthere is no specific antiviral treatment recommended for this infection people who have gotten sick should receive supportive care to help relieve symptomsworld health organization who expert mike ryan said he expected that recovered patients would be protected from a further infection but that it remained unclear how long the immunity would last and if it would apply to other coronaviruses as wellhow do you protect yourself from getting infectedthere is currently no vaccine to prevent infection the best way to protect yourself is to use the same commonsense actions experts recommend for preventing the spread of other respiratory viruses such as flu and cold stay away from people who are sick wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating and after blowing your nose coughing or sneezingif you dont have access to soap and water use an alcoholbased hand sanitizer with at least 60 percent alcohol avoid touching your eyes nose and mouth with unwashed handsstay home when you are sick cover your cough or sneeze with a tissue and throw the tissue in the trash or sneeze like a vampire into your elbow rather than your handclean and disinfect frequently touched objects and surfaces using a regular household cleaning spray or wipewhy are there two new names for the coronavirus epidemicthere are two new names associated with the unfolding epidemic the novel coronavirus has been designated severe acute respiratory syndrome coronavirus 2 or more simply sarscov2 the disease it causes is covid19the name of the disease was announced by the director general of the world health organization on feb 11 the naming of the virus came from a committee of experts who published a paper on a biology preprint site that described their research and rationale for giving the new virus a derivative nameit will be like hiv and aids different names for virus and disease said benjamin neuman a virologist at texas am university at texarkana and a coauthor of the paper\nthe naming of the virus came after close study of its genetic makeup by a dozen scientists including neuman who form the coronavirus study group part of the international committee on taxonomy of virusesneuman said the new virus is the same species as the virus that caused the outbreak of severe acute respiratory syndrome sars in china in 20022003same species but different member of the species neuman saidwho director general tedros adhanom ghebreyesus explained some of the process behind the illness namingwe had to find a name that did not refer to a geographical location an animal an individual or group of people and which is also pronounceable and related to the disease he said citing who guidelines adopted in 2015covid19 is a combination of coronavirus disease and the year the pathogen was first identified the who explained the name also allows for future coronavirus diseases to be named following this formula with the year of any new outbreak replacing 19why did china revise its numbers for hubei province\non feb 13 chinas national health commission revised its case numbers for hubei province the center of the outbreak far higher to reflect coronavirus diagnoses made by doctors clinical assessments rather than the results of nucleic acid testing kitschinese experts have argued that the testing kits which sample mucus swabbed from the upper respiratory tract are both inaccurate and lacking in supply and therefore do not reflect the true number of infections and deaths from the coronaviruscommission spokesman mi feng mi told reporters that hubei province changed its diagnosis criteria from every other region so that its patients could receive the appropriate care sooner and more efficiently so far jurisdictions beyond hubei have not switched to the different diagnosis guidelinesisaac bogoch an infectious disease specialist at toronto general hospital cautioned that the uptick is probably a reflection of what many public health experts knew all along that chinas initial data vastly underestimated the breadth of the outbreak from the beginningpeople who have been following this closely knew that this was much bigger than the reported numbers bogoch said we knew we were dealing with a healthcare system that was exceeding its capacity and i dont think this comes to anyones surprisechinas health system is overburdened patients are seeking treatment wherever they can find a bed which sometimes means in makeshift clinics in converted gymnasiums and conference centersone of the problems with using labconfirmed cases to monitor the spread of an epidemic is if theres a ceiling in the number of tests that can be processed said benjamin cowling of the school of public health at hong kong university weve always known there were more coronavirus infections than the confirmed number of cases its a very sensible movemike ryan executive director of the whos health emergencies program said the spike in cases does not represent a significant change in the trajectory of the outbreak though he cautioned that they still dont know how big that iceberg iswhat do reports of a patient being cured meanthere are two kinds of cured in an infectious disease context said bruce ribner a professor at the emory university school of medicinetheres being clinically cured he said when someone starts feeling better and stops showing symptoms such as fever and coughing then theres being pathogen cured when doctors determine that the virus is indeed no longer in the body and therefore the patient cant transmit the diseasethe former is clear to a patient the latter we dont yet have a good handle on what it takes said ribnerscientists are busy trying to find out as much as they can about the coronavirus including how long the transmission period lasts as part of that process theyll also learn more about how to define cured in both sensesthere still remains no antiviral available to treat the novel coronavirus but todd ellerin director of infectious diseases at south shore health in massachusetts said that as with the influenza most patients are cured of this on their own just by their immune system fighting back against the invading virus for others especially older people and those with preexisting illness the novel coronavirus infection can be far more severe and deadlylauren sauer an assistant professor of emergency medicine at johns hopkins university said that people with the virus should expect long hospital stayswe dont have a definition of what cured is she said we dont really have a good understanding of what definition people are using globallyin hubei province sauer said authorities are being overly cautious given the uncertainty over how long someone remains contagious there she said a patient is considered cured when they havent had a fever for three days and have tested negative twice on a pcr test which looks for the virus in the bodywhen will it endthis coronavirus could follow a seasonal pattern peaking in the winter months it could infect lots of people now and then begin to recede in the northern hemisphere before returning in the fall it could take hold in the southern hemispherethis virus can do anything it wants mcgeer said that pattern of how its going to spread is completely unknown but it is critical to what the burden is going to be to all of us it could be just like another coronavirus a bunch of colds it could be like a regular flu season its possible it could be different and worse", + "https://www.washingtonpost.com/", + "TRUE", + 0.09287546561965167, + 2210 + ], + [ + "Most coronavirus cases are mild, complicating the response", + "the coronavirus has killed more than 1300 people brought a huge swath of central china to a standstill and rattled millions around the globe with hints of a pandemic seen in hollywood fantasiesbut the viruss destructive potential has overshadowed one encouraging aspect of this outbreak so far about 82 percent of the cases including all 14 in the united states have been mild with symptoms that require little or no medical intervention and that proportion may be an undercounthealth authorities managing the outbreak are trying to understand what that critical fact portends are the 60000 sick people tallied so far just a portion of a vast reservoir of uncounted victims some of whom may be spreading the disease and do the mild illnesses reveal characteristics of the virus itself something that could be useful in crafting a more effective responsethe fact that there are so many mild cases is a real hallmark of this disease and makes it so different from sars said jennifer nuzzo an epidemiologist at the johns hopkins bloomberg school of public healths center for health security its also really challenging most of our surveillance is oriented around finding people who require medical interventionin chinas hubei province the epicenter of the coronavirus outbreak the number of new infections rose by 14840 in a count released thursday with 242 new deaths as health officials there broadened the criteria they are using to confirm casesworld health organization expert michael ryan said in a news briefing this week that outside of hubei province the viruss behavior did not seem to be as aggressive or acceleratedfor those who study viruses the large number of mild cases is reason for optimism this looks to be a bad heightened cold i think thats a rational way of thinking about it said matthew frieman a virologist at the university of maryland school of medicine not to diminish its importance its in the middle between sars and the common coldthough the virus was identified just six weeks ago some of its characteristics are becoming clear for the elderly and those with underlying heart disease diabetes or other conditions the disease can be quite severe they are the ones dominating the ranks of the dead often after pneumonia or other respiratory problems that lead to organ failureothers are not suffering nearly as much healthy younger adults seem to do better and there have been few fatalities among children for reasons that have caused much speculation among expertsit could be that some people have an immune response that results in severe illness and some people dont nuzzo said it is common    in coronaviruses that there is a spectrum of illnessat a presentation on the disease hosted tuesday by the aspen institute in washington nancy messonnier an official with the centers for disease control and prevention noted that only a few of the 14 us patients required oxygen during convalescenceall the patients in the us havent required tons of excessive care and actually right now theyre actually all improving said messonnier director of the cdcs national center for immunization and respiratory diseases based on the us experience and based on the experience of other countries outside china a lot of these patients seem to be doing okaybut messonnier and others are less confident about what that might signify she noted that us officials set a very low threshold for illness as they began their search for people with the disease among returnees from central chinaif we hadnt been looking so hard she suggested we might not have found themanother possibility said william schaffner a professor of preventive medicine and health policy at vanderbilt university medical center is that the us patients were a selfselected sample of fairly healthy people hardy enough at least to travel to wuhan and back twelve of the us patients were such travelers while two others were spouses who came in contact with them after they returnedschaffner also noted that in china where the vast majority of deaths and illnesses from the covid19 disease have occurred air pollution and a higher smoking prevalence may contribute to the severity of the diseasemany experts have said early phases of outbreaks like this one tend to have a large number of severe cases as the sickest people flock to hospitals and come to doctors attention and in wuhan where the healthcare system is overwhelmed people have complained they cannot find a hospital to test them for the virus let alone to treat their symptoms so patients with milder versions may be at home uncounted waiting out the epidemicin its latest situation report released wednesday the world health organization listed 45171 confirmed cases in 25 countries including china with just 441 of the cases outside china the who classified 8204 of the chinese cases as severe meaning virtually all the rest are mildthe who does not break down the cases outside china but some countries do singapore for example has reported that 15 of its 50 patients have fully recovered and been discharged most of the others still hospitalized are stable or improving while eight are in critical condition in intensive carecurrently the death rate of the disease is hovering around 25 percent a remarkably high level about the rate of the 1918 flu pandemic that killed roughly 50 million people around the world normal seasonal flu kills less than onetenth of one percent of people who contract the virusbut experts have said the coronavirus fatality rate is likely to decline substantially as they compile a more accurate count of the people who contract the virus and survive at the aspen institute presentation anthony s fauci director of the national institute of allergy and infectious diseases said he hoped the rate could decline toward 1 percenteither figure makes the virus much less deadly than severe acute respiratory syndrome sars which killed more than 9 percent of the people who contracted it in 2003 and middle east respiratory syndrome mers which kills nearly 35 percent of its victimsthe mild nature of many illnesses some experts said may stem from the properties of the pathogen itself for reasons scientists still dont fully understand one virus may be a nuisance and a very similar one can be deadly while two different coronaviruses produced sars and mers four others cause about 30 percent of all common coldsthe severity of the resulting illness is inherent in the virus said frieman the university of maryland virologistone coronavirus that causes cold symptoms called nl63 uses the same doorway into cells and infects the same cells as sars he saidone gives you a runny nose and the other gives you lethal pneumonia frieman said no one studies thisa major question to be answered is who is most at risk while many are focused on the overall death rate from the virus peter hotez dean of the national school of tropical medicine at baylor college of medicine said it is important to focus on the fatality rate in vulnerable groupssars was 10 percent overall but it was 50 percent among older people hotez said figuring out who is most at risk is essential for creating the right public health strategyif you really want to address this epidemic its especially important we protect the vulnerable groups hotez said", + "https://www.washingtonpost.com/", + "TRUE", + 0.07173184024423694, + 1210 + ], + [ + "What should I do if I have no symptoms, but I think I have been exposed to COVID-19? What does it mean to self-quarantine?", + "to selfquarantine means to separate yourself from others because you have been exposed to someone with covid19 even though you yourself do not have symptomsduring selfquarantine you monitor yourself for symptoms the goal of the selfquarantine is to prevent transmission since people who become ill with covid19 can infect people immediately selfquarantine can prevent some infections from happening in this casehave a large wellventilated single room with hand hygiene and toilet facilities if this is not available place beds at least 1 metre apart keep at least 1metre distance from others even from your family members monitor your symptoms daily selfquarantine for 14 days even if you feel healthy if you develop difficulty breathing contact your healthcare provider immediately call them first if possiblestay positive and energized by keeping in touch with loved ones by phone or online and by exercising yourself at home\nhowever if you live in an area with malaria or dengue fever it is important that you do not ignore symptoms of fever seek medical help when you attend the health facility wear a mask if possible keep at least 1 metre distant from other people and do not touch surfaces with your hands if it is a child who is sick help the child stick to this advice ", + "https://www.who.int/", + "TRUE", + -0.010806277056277059, + 213 + ], + [ + "Are some people more at risk than others?", + "elderly people above 70 years of age and those with underlying health conditions eg hypertension diabetes cardiovascular disease chronic respiratory disease and cancer are considered to be more at risk of developing severe symptoms men in these groups also appear to be at a slightly higher risk than femalessee links to national guidelines on the treatment of patients with serious and life threatening conditions during covid19 under external resources", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.08333333333333334, + 69 + ], + [ + "How does soap kill coronavirus? If I don’t have disinfecting wipes, can I use soap and water on surfaces?", + "yes you can use soap and water on surfaces just like you would on your hands to kill coronavirus but dont use water alone that wont really helpthe outer layer of the virus is made up of lipids aka fat your goal is to break through that fatty barrier forcing the virus guts to spill out and rendering it dead\nin other words imagine coronavirus is a butter dish that youre trying to cleanyou try to wash your butter dish with water alone but that butter is not coming off the dish said dr john williams chief of pediatric infectious diseases at upmc childrens hospital of pittsburghyou need some soap to dissolve grease so soap or alcohol are very very effective against dissolving that greasy liquid coating of the virusby cutting through the greasy barrier williams said it physically inactivates the virus so it cant bind to and enter human cells anymore", + "https://www.cnn.com/", + "TRUE", + -0.018124999999999995, + 152 + ], + [ + "How deadly is COVID-19?", + "the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadly", + "https://www.health.harvard.edu/", + "TRUE", + 0.09391304347826088, + 194 + ], + [ + " What is the risk of getting COVID-19 while exercising?", + "exercising poses a potential risk from sarscov2 infection to athletes and coaches this is particularly an issue in settings where athletes train in groups engage in contact sports share equipment or use common areas including locker rooms community and individuallevel recreational sport activities could also potentially heighten the risk of spreading coronavirus transmission could occur through persontoperson contact exposure to a common source or aerosolsdroplets from an infected individual nevertheless in light of the benefits of regular physical activity to physical and mental health it is important to remain active during the covid19 pandemic while respecting physical distancing and personal hygiene recommendations", + "https://www.ecdc.europa.eu", + "TRUE", + 0.008888888888888892, + 102 + ], + [ + "Can spraying alcohol or chlorine all over your body kill the new coronavirus", + "no spraying alcohol or chlorine all over your body will not kill viruses that have already entered your body spraying such substances can be harmful to clothes or mucous membranes ie eyes mouth be aware that both alcohol and chlorine can be useful to disinfect surfaces but they need to be used under appropriate recommendations", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.2625, + 55 + ], + [ + "Should people who suffer from pollen allergy self-isolate if they develop typical hay fever symptoms?", + "no there is no more reason for people suffering from pollen allergy to selfisolate if they develop their typical hayfever symptoms than for anyone else they should continue following the general guidance for physical distancing and seek medical advice if their symptoms get worse if they develop fever or progressive difficulty breathing", + "https://www.ecdc.europa.eu/", + "TRUE", + -0.10952380952380951, + 52 + ], + [ + "Why will it likely take longer to develop a vaccine than a drug for COVID-19?", + "the development of vaccines and drugs for covid19 share common goals to ensure safety and efficacy these are often assessed through a series of studies sometimes beginning with animal experiments progressing through human phase 1 2 and 3 clinical trials with increasing numbers of participants however it often takes much longer to develop and rigorously assess a vaccine first vaccines are usually targeted to healthy people in contrast to drugs administered to people with disease larger and longer studies are often needed to ensure the safety of vaccines second the outcomes of interest often take much longer to be measured vaccine efficacy and immunogenicity can take many months to measure accurately whereas whether or not a treated patient improves can take days and some vaccines require multiple doses spread out over months whereas drug treatment regimens typically are days to weeks once developed it can also take longer to manufacture and deploy vaccines", + "https://www.globalhealthnow.org/", + "TRUE", + 0.10238095238095239, + 153 + ], + [ + "Promising Signs of Protective Antibodies", + "nearly all people exposed to covid19 in a new york study developed antibodies to the viruseven those who showed just mild symptoms according to a new york times analysis of a preprint studybased on antibody tests on the first set of donors for a convalescent plasma therapy effort the research showed that the vast majority of confirmed covid19 patients developed antibodieswhile the presence of antibodies does not guarantee immunity and the research is not yet peerreviewed its a hopeful sign that almost everyone who has been sick will experience some protective benefit regardless of age sex or severity of illnessquestions over the accuracy of antibody tests have been an issue but the antibody test used in the ny study of 1343 people developed by florian krammer an icahn school of medicine at mount sinai virologist has a less than 1 chance of producing falsepositiveswinter is coming to the rescuea llama named winter packs another cause for hope in the quest for an antibody treatmentalong with the rest of her herd in belgium she produces special antibodiescalled nanobodiesprized for their staying power and ability to get into nooks and crannies in the body an international team of scientists used tiny antibodies in winters blood to engineer a new antibody that latches on to the spiky proteins on sarscov2 surface neutralizing its ability to infect cells their work published tuesday in cell is preliminary and would need to be proven in animal studies before it could be tested in humans", + "https://www.globalhealthnow.org/", + "TRUE", + 0.07928841991341992, + 248 + ], + [ + "Coronavirus explained: Symptoms, lockdowns and all your COVID-19 questions answered", + "the coronavirus pandemic has completely changed our way of life shut down entire countries and shuttered businesses across the globe after an initial outbreak of disease in wuhan china that began in december 2019 the novel virus has spread to over 180 countries with the us and the european nations of spain italy and france the worst hit as scientists and researchers race toward a vaccine governments are attempting to mitigate the economic damage with stimulus checks and tax cuts and contain further spread of the disease with social distancing measures and lockdownsresearchers linked the pathogen to a family of viruses known as coronaviruses in january that family contains viruses responsible for previous outbreaks of the respiratory diseases sars and mers as well as some cases of the common cold on march 11 tedros adhanom ghebreyesus directorgeneral of the world health organization announced the outbreak of the disease dubbed covid19 would be declared a pandemic it is the first time any coronavirus has been characterized as suchthe situation continues to evolve as more information becomes available weve collated everything we know about the virus whats next for researchers what steps you can take to reduce your risk how to deal with quarantines and lockdowns and how governments are providing assistance such as stimulus checks\nour coronavirus pandemic hub will show you the latest stories clicking on the titles below will take you to the relevant section of the guidewhat is a coronavirus\ncoronaviruses belong to a family known as coronaviridae and under an electron microscope they look like spiked rings theyre named for these spikes which form a halo or crown corona is latin for crown around the viral body coronaviruses contain a single strand of rna as opposed to dna which is doublestranded within their viral body or viral envelope as a virus they cant reproduce without getting inside living cells and hijacking the machinery within the spikes on the viral envelope help coronaviruses bind to cells and then get inside them as if jimmying their way through a locked door once inside they turn the cell into a virus factory the rna and a handful of enzymes use the cells machinery to produce more viruses which are then shipped out of the cell and infect other cells thus the cycle starts anewcoronavirus in pictures scenes from around the world typically these types of viruses are found in animals ranging from livestock and household pets to wildlife such as bats some are responsible for disease like the common cold if they make the jump to humans they can cause fever respiratory illness and inflammation in the lungs in immunocompromised individuals such as the elderly or those with hivaids such viruses can cause severe respiratory illness resulting in pneumonia and even deathextremely pathogenic coronaviruses were behind the diseases sars severe acute respiratory syndrome and mers middle east respiratory syndrome over the last two decades these viruses were easily transmitted from human to human but were suspected to have passed through different animal intermediaries sars was traced to civet cats and mers to dromedary camels sars which showed up in the early 2000s infected more than 8000 people and resulted in nearly 800 deaths mers which appeared in the early 2010s infected almost 2500 people and led to more than 850 deathsyoure going to be inundated with new terms and phrases you may never have heard before during this pandemic if youre finding yourself confused head to cnets guide on the most commonly used phraseswhat is covid19in the early days of the outbreak the media medical experts and health professionals were referring to the coronavirus as a catchall term to discuss the outbreak of illness but a coronavirus is a type of virus rather than the virus or the disease it causes to alleviate the confusion and streamline reporting the who has named the new disease covid19 for coronavirus disease 2019 having a name matters to prevent the use of other names that can be inaccurate or stigmatizing said whos tedros it also gives us a standard format to use for any future coronavirus outbreaksthe coronavirus study group part of the international committee on taxonomy of viruses was responsible for naming the novel coronavirus itself the novel coronavirus the one that causes the disease is known as sarscov2 the group formally recognizes this virus as a sister to severe acute respiratory syndrome coronaviruses sarscovs the species responsible for the sars outbreak in 20022003 in the simplest terms the novel coronavirus is officially named sarscov2 the disease caused by sarscov2 is officially named covid19 what is a pandemic on march 11 the who classified the covid19 outbreak a pandemic pandemic is not a word to use lightly or carelessly it is a word that if misused can cause unreasonable fear or unjustified acceptance that the fight is over leading to unnecessary suffering and death said tedros at a press briefingso what is itboth the cdc and the who have different definitions and if you look in a dictionary you may find something different again in the simplest terms a pandemic can be defined as a worldwide outbreak of a new disease the new is key here because many diseases persist in the population and spread each year for example influenza the flu infects a lot of people every year and can be found across the world unlike covid19 its been circulating in the community for centuries and theres some natural immunity to it plus we know so much about it we can protect ourselves against common strains what does this all mean the covid19 virus itself didnt change it hasnt become more dangerous and hasnt mutated to infect people more quickly and the risk of being infected doesnt exponentially increase now that the word pandemic is being used but its a way to describe whats happening and more succinctly understand the urgency of the situationwhere did the virus come fromthe virus appears to have originated in wuhan a chinese city about 650 miles south of beijing that has a population of more than 11 million people prestigious medical journal the lancet published an extensive summary of the clinical features of some of the first patients infected with the disease stretching back to dec 1 2019 the huanan seafood wholesale market which sells fish as well as a panoply of meat from other animals including bats snakes and pangolins was implicated in the original spread in early january however the very first patient identified had not been exposed to the market suggesting the virus may have originated elsewhere and been transported to the market where it was able to thrive or jump into new hosts whether human or animal chinese authorities shut down the market on jan 1 live animal markets have been implicated in the origin and spread of viral diseases in past epidemics a majority of the people confirmed to have come down with the coronavirus in the early days of the outbreak had been to the huanan seafood marketplace in previous weeks the market appears to be an integral piece of the puzzle but research into the likely origin and connecting a patient zero to the initial spread is ongoing a group of chinese scientists uploaded a paper to preprint website biorxiv having studied the viral genetic code and compared it to the previous sars coronavirus and other bat coronaviruses they discovered the genetic similarities run deep the virus shares 80 of its genes with the previous sars virus and 96 of its genes with bat coronaviruses importantly the study also demonstrated the virus can get into and hijack cells the same way sars did using a human receptor known as ace2a paper published in the journal nature medicine on march 17 assessed the genome of the virus in great detail coming to similar conclusions to the preprint categorically stating that it arose due to natural evolution our analyses clearly show that sarscov2 is not a laboratory construct or a purposefully manipulated virus wrote the collaboration of researchers from institutions across the us uk and australia the anteating pangolin a small scaly mammal has also been implicated in the spread of sarscov2 according to the new york times it may be one of the most trafficked animals in the world the virus likely originated in bats but may have been able to hide out in the pangolin before spreading from that animal to humans researchers caution that the full data hasnt yet been published but coronaviruses similar to sarscov2 have been found in pangolins before all good science builds off previous discoveries and there is still more to learn about the basic biology of sarscov2 before we have a good grasp of exactly which animal vector is responsible for transmission but the genetic sequence of the virus is a clue it tells us the virus must have originated in bats and may have jumped through an intermediary to a humanhow do we know its a new coronavirusthe chinese center for disease control and prevention dispatched a team of scientists to wuhan to gather information about the new disease and to perform testing in patients hoping to isolate the virus their work published in the new england journal of medicine on jan 24 examined samples from three patients using an electron microscope which can resolve images of cells and their internal structures and studying the genetic code the team visualized and genetically identified the novel coronavirusunderstanding the genetic code helps researchers in two ways it allows them to create tests that can identify the virus from patient samples and it gives them potential insight into creating treatments or vaccinesthe peter doherty institute in melbourne australia was able to identify and grow the virus in a lab from a patient sample and announced its discovery on jan 28 this provides laboratories with the capability to both assess and provide expert information to health authorities and detect the virus in patients suspected of harboring the disease its also a valuable step in crafting a viable vaccine how does the coronavirus spreadthis is one of the major questions researchers struggled to answer in the early days of the outbreak but now seems pretty settled the first infections were potentially the result of animaltohuman transmission but confirmation of humantohuman transmission was obtained in late january as the virus spread local transmission was seen across the worldthe who says the virus can move from person to person viarespiratory droplets when a person sneezes or coughsdirect contact with infected individualscontact with contaminated surfaces and objectsa handful of viruses including mers can survive for periods in the air after being sneezed or coughed from an infected individual although recent reports suggest the novel coronavirus may be transmitted in this way the chinese center for disease control and prevention have reiterated there is no evidence for this writing in the conversation on feb 14 virologists ian mackay and katherine arden explain no infectious virus has been recovered from captured air samples\nfurther research has shown sarscov2 may linger in the air for extended periods of time which is particularly notable for health workers its estimated the virus can stay suspended in the air for a period of about 30 minutes social distancing measures become ever more important here because only those close to infected individuals are expected to be exposed to large quantities of the virus in the air how long can the coronavirus survive on surfaces\ntheres still a lot to learn about the hardiness of this particular virus but similar members of the coronavirus family have been explored in detail including the coronaviruses responsible for the sars and mers outbreaks particularly notable is an article published on feb 6 in the journal of hospital infection which looked at a host of previous studies 22 in total and found coronaviruses may persist on surfaces for up to nine days a study in the new england journal of medicine on march 17 took a deeper look at how stable the sarscov2 virus is in the air and on surfaces theres a chance the virus survives on cardboard for up to 24 hours while on copper surfaces it seems to only survive for around 4 hours on plastic and steel it might survive up to three daysa chief concern for the public has been whether package shipments could help spread the virus different materials can keep the virus alive for longer outside the body but a range of factors needs to be taken into account when evaluating virus survival the cdc is still investigating this but has come up with numbers for certain surfacesthe cdc will continue to investigate but believes the risk of contracting coronavirus from packages is still low the who notes it is very unlikely you would see the coronavirus persist after being moved traveled and exposed to different conditions best tip wash your hands after handling any packages if youre concerned and just wash your hands a lot in general what are the symptomsthe new coronavirus causes symptoms similar to those of previously identified diseasecausing coronaviruses in currently identified patients there seems to be a spectrum of illness a large number experience mild pneumonialike symptoms while others have a much more severe responseon jan 24 the prestigious medical journal the lancet published an extensive analysis of the clinical features of the diseaseaccording to the report patients present with this symptomsfever elevated body temperaturedry coughfatigue or muscle painbreathing difficultiesless common symptoms include thesecoughing up mucus or bloodheadachesdiarrheakidney failure as the disease progresses patients also develop pneumonia which inflames the lungs and causes them to fill with fluid this can be detected by an xray how infectious is the coronavirusthe r nought r0 value of the coronavirus is an indicator of how successfully it spreads from person to person this metric helps determine the basic reproduction number of an infectious disease in the simplest terms the value relates to how many people can be infected by one person carrying the disease \ninfectious diseases such as measles have an r0 of 12 to 18 which is remarkably high the sars epidemic of 20022003 had an r0 of around 3 a handful of studies modeling the covid19 outbreak have given a similar value with a range between 14 and 38 however there is plenty of variation between studies and models attempting to predict the r0 of novel coronavirus due to the constantly changing number of cases it seems to have settled on a figure around 22 meaning every infected person infects 2 others it should be stressed these studies are informative but they arent definitive and because the virus spreads differently depending on location and the severity of lockdownquarantine measures it can vary by country some experts are saying it is the most infectious virus ever seen that is not correct says raina macintyre a professor of global biosecurity at the university of new south wales in australiaanother aspect impacting the spread of the disease is whether it spreads before symptoms are present or without showing symptoms at all this appears to be true but its more likely youll have mild symptoms this complicates matters because it allows people to spread the disease without even knowing this also makes airport screening less impactful because harboring the disease but showing no signs could allow it to insidiously spread furtherhow many cases are asymptomatic its still hard to tell various analyses have been undertaken in the past three months to try to establish a figure with the number of asymptomatic cases ranging from 10 up to 50 of cases this is why theres been a move to screen and test people who arent showing symptoms they might be spreading the disease unknowingly so identifying them would prevent continuous spread through the communityshould you make your own hand sanitizera panic surrounding the spread of the coronavirus has gripped consumers and store shelves have been emptied shoppers have raced out to buy up whatever they can toilet paper acetaminophen also know as paracetamol pasta and of course hand sanitizer as cnet wellness editor sarah mitroff reports most places in the us have sold out of the latter as have many online storesthat led to widespread reports about making your own hand sanitizer but experts warn that you risk making a sanitizer that either isnt effective or is way too harsh in cnets guide to diy hand sanitizer we also rule out using hard liquor recipes that call for vodka or spirits should be avoided entirely because you need a highproof liquor to get the right concentration of alcohol by volume thats because most liquor is mixed with water so if you mix an 80proof vodka which is the standard proof with aloe youll have hand sanitizer that contains roughly only 40 alcohol the alternative is to wash your hands as the cdc and who continue to suggest washing your hands with soap and water for around 20 seconds is one of the best ways to protect yourself from getting sick right now you should also avoid touching your face if you can as the virus can be transferred into the body if youve been in contact with someone whos infected is there a treatment for the coronaviruscoronaviruses are hardy organisms theyre effective at hiding from the human immune system and we havent developed any reliable treatments or vaccines to eradicate them in most cases health officials attempt to deal with the symptomsthere is no recognized therapeutic against coronaviruses said mike ryan executive director of the who health emergencies programme during a press conference on jan 29 that still holds true at present the primary objective in an outbreak related to a coronavirus is to give adequate support of care to patients particularly in terms of respiratory support and multiorgan support notably because they are viruses coronaviruses are not susceptible to antibiotics antibiotics are medicines designed to fight bacteria and dont do any damage to the sarscov2 virus there are no specific treatments for covid19 as yet though a number are in the works including experimental antivirals which can attack the virus and existing drugs targeted at other viruses like hiv which have shown some promisecan you take ibuprofen for coronavirusibuprofen an antiinflammatory drug sold under various names such as brufen nurofen and advil has been linked with adverse outcomes for patients with covid19 its important to stress there are no studies to point to specifically looking at ibuprofen usage and adverse outcomes for covid19 but french health officials have questioned whether its a safe way to treat the fever associated with the diseasethere have been conflicting messages from the world health organization which appeared to suggest on march 17 to avoid ibuprofen and use paracetamol instead a twitter thread on march 18 clarified there are concerns with using the drug to treat fever in people with covid19 but the organization is not aware of reports of any negative effects beyond the usual ones that limit its use in certain populationsthose populations include people over 65 years of age and those suffering from conditions such as asthma high blood pressure and liver or kidney problems an article in the lancet on march 11 showed the expression of the ace2 receptor on human cells which the coronavirus uses to get inside and replicate may be increased due to ibuprofen use mixed messages and misinformation have been spreading online in regard to ibuprofen use so its important to remember to check in with official health sources like the who the bbc speaking to british health experts notes its probably best to stick to paracetamol as a first choice is there a vaccine for coronavirusdeveloping new vaccines takes time and they must be rigorously tested and confirmed safe via clinical trials before they can be routinely used in humans anthony fauci director of the national institute of allergy and infectious diseases in the us has frequently stated that a vaccine is at least a year to 18 months away experts agree theres a ways to go yet however there is great progress being made and a number of vaccine candidates have appeared in the time since covid19 was discovered weve collated everything we know about potential vaccines and current treatment options that are being used around the worldin developing a vaccine that targets sarscov2 scientists are looking intensely at the spike proteins these proteins which are present on the surface of the virus enable it to enter human cells where it can replicate and make copies of itself researchers have been able to map the projections in 3d and research suggests they could be a viable antigen a fragment that stimulates the human bodys immune system in any potential coronavirus vaccine the protein is prevalent in coronaviruses weve battled in the past too including the one that caused the sars outbreak in china in 200203 this has given researchers a head start on building vaccines against part of the spike protein and using animal models they have already demonstrated an immune response\nnotably sars which infected around 8000 people and killed around 800 seemed to run its course and then mostly disappear it wasnt a vaccine that turned the tide on the disease but rather effective communication between nations and a range of tools that helped track the disease and its spreadwe learnt that epidemics can be controlled without drugs or vaccines using enhanced surveillance case isolation contact tracking ppe and infection control measures macintyre saidhow to reduce your risk of coronavirusthe who recommends a range of measures to protect yourself from contracting the disease based on good hand hygiene and good respiratory hygiene in much the same way youd reduce the risk of contracting the flu the novel coronavirus does spread and infect humans slightly differently to the flu but because it predominantly affects the respiratory tract the protection measures are similarin early february the us state department issued a travel advisory with a blunt message do not travel avoid all international travel due to the global impact of covid19 a similar warning from the us centers for disease control and prevention advises people to avoid nonessential travela twitter thread developed by the who is belowyou may also be considering buying a face mask to protect yourself from contracting the virus youre not alone stocks of face masks have been selling out across the world with amazon and walmartcom experiencing shortages reporting from sydney in january i found lines at the pharmacy extending down the street should i wear a face maskthe face mask has become a symbol of this pandemic youll see them no matter where you go these days but the scientific underpinnings of using a mask to prevent coronavirus infection has been shaky advice has been revised time and again and varies depending on your location so check with your local health authority as to how you should proceedthat said the us cdc in march revised its official guidelines for wearing a face covering in public settings due to a shortage of personal protective equipment across the country some have even turned to making their own face masks whats the advice here cnets how to team has put together a complete guide on whether to wear a face mask or face covering and the exact recommendations that need to be followed", + "https://www.cnet.com/", + "TRUE", + 0.10259105628670848, + 3887 + ], + [ + "Can regularly rinsing your nose with saline help prevent infection with the new coronavirus?", + "no there is no evidence that regularly rinsing the nose with saline has protected people from infection with the new coronavirus \n\nthere is some limited evidence that regularly rinsing nose with saline can help people recover more quickly from the common cold however regularly rinsing the nose has not been shown to prevent respiratory infections", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + -0.00019240019240018835, + 55 + ], + [ + "Exposing yourself to the sun or to temperatures higher than 25C degrees DOES NOT prevent the coronavirus disease (COVID-19)", + "you can catch covid19 no matter how sunny or hot the weather is countries with hot weather have reported cases of covid19 to protect yourself make sure you clean your hands frequently and thoroughly and avoid touching your eyes mouth and nose ", + "https://www.who.int/", + "TRUE", + 0.3277777777777778, + 42 + ], + [ + "Coronavirus disease 2019 (COVID-19)", + "the world health organization who was informed of cases of pneumonia of unknown microbial etiology associated with wuhan city hubei province china on 31 december 2019 the who later announced that a novel coronavirus had been detected in samples taken from these patients since then the epidemic has escalated and rapidly spread around the world with the who first declaring a public health emergency of international concern on 30 january 2020 and then formally declaring it a pandemic on 11 march 2020 clinical trials and investigations to learn more about the virus its origin how it affects humans and its management are ongoinga potentially severe acute respiratory infection caused by the novel coronavirus severe acute respiratory syndrome coronavirus 2 sarscov2the clinical presentation is generally that of a respiratory infection with a symptom severity ranging from a mild common coldlike illness to a severe viral pneumonia leading to acute respiratory distress syndrome that is potentially fatal characteristic symptoms include fever cough and dyspnea although some patients may be asymptomatic complications of severe disease include but are not limited to multiorgan failure septic shock and blood clots", + "https://bestpractice.bmj.com/", + "TRUE", + 0.12857142857142853, + 185 + ], + [ + "No, 5G Is Not Causing Coronavirus (or Anything Else)", + "viral online posts claiming 5g is causing coronavirus are absolutely wrong conspiracy theorists are taking them seriously however and some are turning violent heres why their arguments are nonsensethe false superstitious belief that 5g cellular networks are somehow causing a global health crisis has found a new conspiracy theory the idea that the global coronavirus pandemic is caused by 5g it is notsince i originally wrote this 5g conspiracy theories have turned violent anti5g conspiracy theories have fueled 5g tower arson attacks according to the guardian theyre driven largely by viral facebook posts often from groups mixing in antisemitic slurs and conspiracy theories about 911 the new york times suggests a russianbacked propaganda campaign is in part to blame\na petition on changeorg claiming that 60 megahertz waves would suck the oxygen out of our lungs it wont got more than 114000 signatures before it was deleted in the us the conspiracy theories were prominently promoted by keri hilson an rb singer who for some reason has 42 million twitter followers and 23 million instagram followers she has since deleted the tweet management has asked me to delete vidarticles she wrote in a followup tweet but apparently got it from someone with 839000 instagram followers going by chakabars from a completely random chiropractor named gloriane giovanelli and from the wikipedia quickfact snippet appearing on a search for who invented 5ghilsons most striking source is a completely insane video which she posted to her instagram where a man with his name tag turned backwards claims that the 1918 flu pandemic was caused by the invention of radio some undescribed pandemic during world war ii was caused by radar fields and a 1968 flu in hong kong was caused by satellites emitting radioactive frequenciesin the last six months with the electrification of the earth its called 5g the unnamed man says going on to spout more utter word salad including the first completely blanketed 5g city in the world was wuhan chinahilson is not the only celeb to spread 5g coronavirus nonsense on social media as the times notes john cusack and woody harrelson have done the samethe truth about 5g5g isnt a new higher frequency its just an encoding standard which can work on many kinds of airwaves in the uk and china 5g operates on a band thats sandwiched between existing 4g networks and 5ghz wifi that band is extremely similar to current lte bands in behavior and it is lowerfrequency than the band used for highspeed wifi since 2009most of the 5g out thereincluding the 5g used in the ukis just a slightly different way of encoding data on airwaves that are no higherfrequency than those used by wifi and no lowerfrequency than those used by televisions here in the us most of the 5g you see is just a slightly different form of encoding on airwaves that have been used for nearly 100 years tmobiles lowband 5g is on old uhf tv channels uhf tv did not cause coronavirus atts lowband 5g is on cellular frequencies used since 1983 and it is no more powerful sprints 5g is on 4g frequencies that have been used since 2007yes some new higher frequenciescalled millimeterwave mmwaveare being used in the us not the uk but they have almost no coverage right now much as verizons marketing would like you to think otherwise even though you probably have never encountered it because it has almost no coverage mmwave 5g has been certified as safe by the international commission on nonionizing radiation protection the technology has been studied for several years now with the only negative effects detected being a slight heating effect at power levels far above what the fcc permits any transmitter to operate at citywide 5g was also available in the us and the uk before it was available in china while china did indeed launch 5g in 50 cities on nov 1 uk carrier ee launched 5g last may and sprint launched broadcoverage 5g in nine us cities last summer which we covered the us and uk have been blanketed with 5g for months longer than china hascovid19 is spreading in places that do not have 5g iran a major hotspot does not have 5g malaysia another hotspot does not have 5g and so on there is no correlation between increased spread and the presence of 5g italy has 5g and the virus went wild iran does not and the virus went wild\ndebunking that dumb uk petition the specific changeorg argument in the uk seems to be related to a recent news story about the 60ghz band not mhz being approved late last year for unlicensed 5g use in europe but that band was approved for and has been used for unlicensed networking technologies since 2009 the only new move was to add one encoding standard to the list of existing standards available at 60ghzno 5g network is currently using 60ghz or has plans to do so in the near future but 60ghz networks have also existed for quite some time with no damage to anyone the soli feature in the google pixel 4 uses 60ghz the frequency is the basis of the wigig filetransfer technology which has appeared in some laptops and phones since 2016 and 60ghz has been used as a metroarea internet backhaul transmission frequency for a decade now in places like courtenay bc if there was an inherent problem with 60ghz it would have shown up in one of those applications but it hasntstay safe folks stay inside dont listen to craziness", + "https://www.pcmag.com/", + "TRUE", + 0.04899515993265993, + 928 + ], + [ + "Coronavirus may have a seasonal cycle, but that doesn’t mean it will go away this summer, experts warn", + "as cases of covid19 the disease caused by the novel coronavirus rapidly increase in the united states and other parts of the world epidemiologists and other researchers are urgently trying to learn more about the pathogen involved one question that some virus specialists and some meteorologists are asking is whether there may be a seasonal aspect to this outbreakin other words is this more like the flu which has a distinct winter peak in the united states and europe and then ebbs for the spring and summer or is this here to stay at a high level of spread throughout the warm seasona new study which has not yet been peerreviewed shows that the novel coronavirus has been spreading most readily along an eastwest band of the globe where the average temperatures are between 41 and 52 degrees and average humidity levels are between about 50 and 80 percentthe study by researchers at the university of marylands school of medicine and in the middle east hypothesizes that the most atrisk cities in the coming weeks could lie just north of the region that has been most heavily affected to date as milder temperatures gradually move northhowever that assumes that the correlation with weather does in fact reveal something fundamental about the new coronaviruss transmission which is highly uncertainalthough the current correlations with latitude and temperature seem strong a direct causation has not been proven and predictions in the nearterm are speculative and have to be considered with extreme caution the paper statesmohammad sajadi a study coauthor and a professor at the university of marylands institute of human virology said the hypothesis that this virus exhibits a seasonality is based in part on the behavior of other respiratory viruses in temperate climates as well as the lack of major covid19 outbreaks in countries south of china where travel patterns suggested the potential for largescale spreadany time youre dealing with a transmission event there can be many potential variables but sometimes one or a few variables are key sajadi said via email we hypothesize that average temperature is one of them the main takeaway from the study and the reason we are disclosing it early is that if validated by the scientific community it would be potentially useful in ongoing surveillance effortsjudging by how the virus may have responded to temperatures so far the study suggests areas just north of its current zone may be most vulnerable through april including over the midwest and northeast united states central asia eastern and central europe and the british isles after that it may find more of a foothold farther north in lesspopulated areashowever the study does not take into account other factors that could be affecting the spread of the virus such as climate variables beyond average temperature and humidity including sunlight as well as human behavior population density policy interventions to halt the spread of the virus and characteristics of the virus itselfseparately jupiter a company that predicts risks from severe weather and climate change has been analyzing transmission rates of the coronavirus in recent weeks and trying to find relationships with temperature jupiter chief executive rich sorkin has found some evidence that transmission rates are highest in countries with recent maximum temperatures below 68 degreesoutside of china all countries with high daily growth rates of the virus above 50 percent compounded over the past five days had maximum temperatures below 68 degrees sorkin said of 18 countries that had substantially lower growth rates between 0 and 20 percent most 14 had maximum temperatures above 68 degreessorkin cautioned that growth rates however were probably influenced by multiple factors not just temperature including importation of cases from infected countries public health policies and infrastructureepidemiologists urge extreme caution this virus may be with us throughout the warm season epidemiologists warn that so little is known about this coronavirus that its impossible to predict the course of the epidemic on the basis of weather or climate factors alone and in fact available evidence suggests that the virus can spread easily in warmer climates such as singaporesdavid heymann a professor at the london school of hygiene and tropical medicine said there are two main reasons the coronavirus could exhibit some seasonality one has more to do with human behavior because people tend not to be in confined spaces for extended periods during the summer this could somewhat hinder the spread of the virusthe other reason which is more of an unknown right now has to do with the virus itself specifically its transmissibility in different seasonsno one knows the transmission characteristics of this virus heymann said in an interview certainly out here in singapore it transmits without any problem singapore has had active community spread of the virus but the government implemented policies including social distancing to stem the outbreak with apparent successheymann said no one has yet shown a seasonality to the coronavirus that is due to characteristics of the virus itselfstudies have shown that the common flu virus has a seasonal aspect in the northern midlatitudes tied to humidity levels and temperature among a number of variables however heymann said that does not mean the spread of the novel coronavirus also will decline by early summerthe one thing thats clear is that this at present is not showing the same characteristics of influenza he said in general however heymann said respiratory infections do tend to decline in the summer but that there has not been a proven seasonality involved with two other major coronaviruses sars and mers\n\nin a preprint of a study published on the medrxiv website that is pending peer review a group of researchers including the epidemiologist marc lipsitch of harvards th chan school of public health examined the coronavirus outbreak when it was mostly limited to china they found that it exhibited the potential for sustained transmission and exponential growth rates across a range of temperature and humidity levels in china from tropical areas to cold and dry sections\ncoronavirus may have a seasonal cycle but that doesnt mean it will go away this summer experts warn seasonality explained what warm weather could mean for the novel coronaviruspresident trump has said warm weather could slow the spread of the novel coronavirus but experts explain its too early to know if the virus is seasonal as cases of covid19 the disease caused by the novel coronavirus rapidly increase in the united states and other parts of the world epidemiologists and other researchers are urgently trying to learn more about the pathogen involved one question that some virus specialists and some meteorologists are asking is whether there may be a seasonal aspect to this outbreakin other words is this more like the flu which has a distinct winter peak in the united states and europe and then ebbs for the spring and summer or is this here to stay at a high level of spread throughout the warm seasona new study which has not yet been peerreviewed shows that the novel coronavirus has been spreading most readily along an eastwest band of the globe where the average temperatures are between 41 and 52 degrees and average humidity levels are between about 50 and 80 percentthe study by researchers at the university of marylands school of medicine and in the middle east hypothesizes that the most atrisk cities in the coming weeks could lie just north of the region that has been most heavily affected to date as milder temperatures gradually move northhowever that assumes that the correlation with weather does in fact reveal something fundamental about the new coronaviruss transmission which is highly uncertainalthough the current correlations with latitude and temperature seem strong a direct causation has not been proven and predictions in the nearterm are speculative and have to be considered with extreme caution the paper statesmohammad sajadi a study coauthor and a professor at the university of marylands institute of human virology said the hypothesis that this virus exhibits a seasonality is based in part on the behavior of other respiratory viruses in temperate climates as well as the lack of major covid19 outbreaks in countries south of china where travel patterns suggested the potential for largescale spreadany time youre dealing with a transmission event there can be many potential variables but sometimes one or a few variables are key sajadi said via email we hypothesize that average temperature is one of them the main takeaway from the study and the reason we are disclosing it early is that if validated by the scientific community it would be potentially useful in ongoing surveillance effortsjudging by how the virus may have responded to temperatures so far the study suggests areas just north of its current zone may be most vulnerable through april including over the midwest and northeast united states central asia eastern and central europe and the british isles after that it may find more of a foothold farther north in lesspopulated areashowever the study does not take into account other factors that could be affecting the spread of the virus such as climate variables beyond average temperature and humidity including sunlight as well as human behavior population density policy interventions to halt the spread of the virus and characteristics of the virus itselfseparately jupiter a company that predicts risks from severe weather and climate change has been analyzing transmission rates of the coronavirus in recent weeks and trying to find relationships with temperature jupiter chief executive rich sorkin has found some evidence that transmission rates are highest in countries with recent maximum temperatures below 68 degreesoutside of china all countries with high daily growth rates of the virus above 50 percent compounded over the past five days had maximum temperatures below 68 degrees sorkin said of 18 countries that had substantially lower growth rates between 0 and 20 percent most 14 had maximum temperatures above 68 degreessorkin cautioned that growth rates however were probably influenced by multiple factors not just temperature including importation of cases from infected countries public health policies and infrastructureepidemiologists urge extreme caution this virus may be with us throughout the warm season a thermal scanning checkpoint at the entrance to a park in singapore on friday serves as a preventive measure against the novel coronavirus\nepidemiologists warn that so little is known about this coronavirus that its impossible to predict the course of the epidemic on the basis of weather or climate factors alone and in fact available evidence suggests that the virus can spread easily in warmer climates such as singaporesdavid heymann a professor at the london school of hygiene and tropical medicine said there are two main reasons the coronavirus could exhibit some seasonality one has more to do with human behavior because people tend not to be in confined spaces for extended periods during the summer this could somewhat hinder the spread of the virusthe other reason which is more of an unknown right now has to do with the virus itself specifically its transmissibility in different seasonssocial distancing could buy us valuable time against coronavirus no one knows the transmission characteristics of this virus heymann said in an interview certainly out here in singapore it transmits without any problem singapore has had active community spread of the virus but the government implemented policies including social distancing to stem the outbreak with apparent successheymann said no one has yet shown a seasonality to the coronavirus that is due to characteristics of the virus itselfstudies have shown that the common flu virus has a seasonal aspect in the northern midlatitudes tied to humidity levels and temperature among a number of variables however heymann said that does not mean the spread of the novel coronavirus also will decline by early summerthe one thing thats clear is that this at present is not showing the same characteristics of influenza he said in general however heymann said respiratory infections do tend to decline in the summer but that there has not been a proven seasonality involved with two other major coronaviruses sars and mers\nin a preprint of a study published on the medrxiv website that is pending peer review a group of researchers including the epidemiologist marc lipsitch of harvards th chan school of public health examined the coronavirus outbreak when it was mostly limited to china they found that it exhibited the potential for sustained transmission and exponential growth rates across a range of temperature and humidity levels in china from tropical areas to cold and dry sections\nour results suggest that changes in weather alone ie increase of temperature and humidity as spring and summer months arrive in the north hemisphere will not necessarily lead to declines in case counts without the implementation of extensive public health interventions the study concludes\njeffrey shaman the director of the climate and health program at columbia universitys mailman school of public health said that the novel coronavirus may exhibit a seasonality but that this is far from cleargiven that it is a newly emerged virus to which most of the world is susceptible i dont think it will abate in april rather it might ramp down in the us in late may or june he said via email a similar pattern has been observed with pandemic influenza due to high susceptibility the pandemic virus continues to circulate through late may or june is limited in summer and ramps up again in septemberbut whether this new coronavirus exhibits such seasonality is far from guaranteed shaman said it may just continue through summer unabated he said", + "https://www.washingtonpost.com/", + "TRUE", + 0.06564818300325546, + 2257 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 101 + ], + [ + "You can recover from the coronavirus disease (COVID-19). Catching the new coronavirus DOES NOT mean you will have it for life.", + "most of the people who catch covid19 can recover and eliminate the virus from their bodies if you catch the disease make sure you treat your symptoms if you have cough fever and difficulty breathing seek medical care early but call your health facility by telephone first most patients recover thanks to supportive care", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.31875000000000003, + 54 + ], + [ + "What is it?", + "these days coronavirus is often prefaced with the word novel because thats precisely what it is a new strain in a family of viruses weve all seen before and in some form had according to the who coronaviruses are a large family of viruses that range from the common cold to much more serious diseases these diseases can infect both humans and animals the strain that began spreading in wuhan the capital of chinas hubei province is related to two other coronaviruses that have caused major outbreaks in recent years severe acute respiratory syndrome sars and middle east respiratory syndrome mers\nsymptoms of a coronavirus infection range in severity from respiratory problems to cases of pneumonia kidney failure and a buildup of fluid in the lungs they may appear 2 to 14 days after exposure to the virusin april the cdc added new symptoms of the disease to its list shedding more light on how the virus infects patients the symptoms now include a cough shortness of breath fever chills repeated shaking with chills muscle pain headache sore throat and a loss of taste or smellcovid19 spreads more easily than sars and is similar to other coronaviruses that cause coldlike symptoms experts have said it appears to be highly transmissible and since cases are mild the disease may be more widespread than current testing numbers suggest", + "https://www.washingtonpost.com/", + "TRUE", + 0.11831460206460206, + 226 + ], + [ + "Key evidence for coronavirus spread is flawed as public health decisions loom", + "last week a medical journal reported that a business traveler from china had infected at least one person in germany with the spreading coronavirus even though she had no symptoms it was decisive evidence that the virus could transmit undetected and a critical piece of information one of the key factors us officials weighed when formulating unprecedented quarantines and travel restrictions announced by health officials at the white house\nnow interviews with the woman have revealed a fundamental mistake in the report which appeared in the new england journal of medicine it turns out the woman did have symptoms while she was in germany they were mild unspecific symptoms including back pain for which she took a feverreducing tylenollike drug according to marieke degen a spokeswoman for the robert koch institute a german research organization and governmental public health agency that was following up on the casethe revelation underscores how the urgency to make sweeping public health decisions about the spread of the coronavirus is clashing with the uncertainties surrounding a novel virus the essential question public health experts are grappling with is how easily the virus spreads particularly from people who have mild symptoms despite the error in the report from germany first reported by science magazine its still possible that people can spread it before they have symptoms public health measures that depend on isolating people who could transmit the virus could become difficult to implement if the virus spreads before people realize they have been infectedthe new information could intensify an already challenging public health situation experts said the united states imposed wideranging quarantine and isolation measures that took effect sunday including barring nonus citizens who recently visited from china from entering the united states us officials will also quarantine americans who visited hubei province where the outbreak began for 14 dayshundreds of americans were evacuated from wuhan on a pair of us charter flights that took off from the coronavirus hot zone tuesday night the state department said the passengers will arrive in the united states wednesday and will be quarantined for 14 days on four military bases us officials said\nwe cant isolate everyone who has a headache and took a tylenol said marc lipsitch an epidemiologist at the harvard th chan school of public health if there is spread of disease when someone is not yet showing signs of illness it becomes a considerably bigger public health challenge he said the isolation of ill cases would not be effective if theres transmission to a considerable degree before people are really sickleaped on the error to inform the public on their website that the evidence the virus could spread without symptoms was not based on science the world health organization issued a report saying it is aware of possible transmission before symptoms but noted that study is ongoing of the few instances in which it may have occurrednine countries outside china have confirmed 27 instances of humantohuman transmission of the infection who officials said tuesday during an executive board meeting at their headquarters in geneva a worrisome sign for containment of the diseasein china cases continue to soar chinese officials on tuesday reported a total of 20438 confirmed cases of infection an increase of 3235 from monday the biggest daily jump since the national health commission began releasing statistics almost 3000 of the infected are in critical conditionwho officials also presented additional information about symptoms of the disease saying that 2 to 3 percent of patients also have gastrointestinal problems the most common symptoms are fever and cough officials have saidthe who declared the outbreak a global health emergency on thursday and warned countries against imposing travel and trade restrictions on china who directorgeneral tedros adhanom ghebreyesus reiterated that call tuesday noting that 22 countries have reported such restrictions the united states is one of themsuch restrictions can have the effect of increasing fear and stigma with little public health benefit he said in countries that have imposed them he called for them to be short proportionate to the public health risks and reassessed regularlyhe chided some highincome countries with confirmed cases that are well behind in sharing complete data about their cases i dont think its because they lack capacity he said without better data its difficult for the who to assess how the outbreak is evolving or what impact it could havehong kong became the second place outside mainland china to report a fatality after china reported 425 deaths bringing the overall toll to 427 a 39yearold man who died had a preexisting condition and had traveled to wuhan last month he was hospitalized fridaymore infections were announced outside china including six more in both thailand and singapore suggesting that the virus is gaining steam internationallyin the united states the top official at the centers for disease control and prevention overseeing the coronavirus response has cited the nejm report about asymptomatic transmission as one of several worrisome data points about a serious public health situationwe are aware of the correction to the nejm article on asymptomatic transmission and the fact that this patient did have mild symptoms is consistent with what we know of other cases cdc spokeswoman kristen nordlund said tuesdayshe said the enhanced response posture of the federal government is based on a dramatic increase in the number of cases reported supporting efficient persontoperson spread the geographic expansion of the outbreak and continued reports of severe illness including those resulting in deathanthony fauci director of the national institute of allergy and infectious diseases who has often been the official called on by the past six presidents to explain outbreaks to the american public said he still believes it is possible for the virus to spread from someone who is not showing symptoms fauci initially said the report had served as an important confirmation of rumors and anecdotes that had been filtering in from china and he mentioned it at a white house briefing on fridayone of the problems with when the virus is transmitted in an asymptomatic way and has its implications it puts a terrible burden on the screening process how do you screen somebody fauci said last week when referencing the nejm report you know remember back with ebola ebola doesnt get transmitted unless youre actively very ill and you know that its very very clearupon learning of the journal error fauci said he called a top public health official and scientist in beijing who told him that the disease could spread without symptomsi think its a doubleedged sword i think its important to get information out quickly when youre dealing with an emerging and evolving public health issue but there is a danger in that and we have just seen now a classic example of this danger fauci said tuesday but he said his conversation made him confident that while the report was incorrect the phenomenon it described is realpatients often recall their symptoms differently when multiple people ask them said trish perl chief of infectious diseases and geographic medicine at ut southwestern medical center who has fought other respiratory virus outbreaks including severe acute respiratory syndrome or sars which also emerged in china and infected about 8000 people and killed nearly 800 between 2002 and 2003stuff you might not consider a symptom like a little bit of a runny nose is something people kind of ignore she saidthe information about the german case was published thursday as a letter in the nejm which like other scientific and medical journals has promised to make emerging scientific information available rapidly that speed has been praised because sharing information is essential in a public health emergency but also opens the door for more errorsjulia morin a spokeswoman said that the nejm is looking into the matter but that the journal has not posted a correction or update degen at the robert koch institute in berlin said its researchers had submitted its findings and it is still open when and in which journal this will be scientifically published the main author of the letter did not immediately respond to questions about the reportthe report could still have value experts said because it shows that a person with mild symptoms can transmit the illness initiallylipsitch added that public policy should be flexible in the face of an emerging threat to take into account information that may change or evolve the travel restrictions announced by the white house late last week stated that policy should be reevaluated at least every 15 days\nlauren ancel meyers a mathematical epidemiologist at the university of texas at austin said she is gearing up to simulate scenarios in which the disease spreads in the united states to help with preparation and planning for countermeasures but much depends on information that is still murky how soon people can begin to spread the virus after contracting it how readily it spreads and other factorsthere is so much uncertainty and the information is changing every day about what is going on with the virus meyers said", + "https://www.nytimes.com/", + "TRUE", + 0.05832848484848486, + 1506 + ], + [ + "How to Protect Yourself & Others", + "there is currently no vaccine to prevent coronavirus disease 2019 covid19 the best way to prevent illness is to avoid being exposed to this virus the virus is thought to spread mainly from persontoperson between people who are in close contact with one another within about 6 feet through respiratory droplets produced when an infected person coughs sneezes or talks these droplets can land in the mouths or noses of people who are nearby or possibly be inhaled into the lungs some recent studies have suggested that covid19 may be spread by people who are not showing symptoms clean your hands often wash your hands often with soap and water for at least 20 seconds especially after you have been in a public place or after blowing your nose coughing or sneezing if soap and water are not readily available use a hand sanitizer that contains at least 60 alcohol cover all surfaces of your hands and rub them together until they feel dry avoid touching your eyes nose and mouth with unwashed hands avoid close contact avoid close contact with people who are sick stay home as much as possiblepdf iconexternal icon put distance between yourself and other people remember that some people without symptoms may be able to spread virus keeping distance from others is especially important for people who are at higher risk of getting very sick cover your mouth and nose with a cloth face cover when around others you could spread covid19 to others even if you do not feel sick everyone should wear a cloth face cover when they have to go out in public for example to the grocery store or to pick up other necessities cloth face coverings should not be placed on young children under age 2 anyone who has trouble breathing or is unconscious incapacitated or otherwise unable to remove the mask without assistance the cloth face cover is meant to protect other people in case you are infected do not use a facemask meant for a healthcare worker continue to keep about 6 feet between yourself and others the cloth face cover is not a substitute for social distancing cover coughs and sneezes if you are in a private setting and do not have on your cloth face covering remember to always cover your mouth and nose with a tissue when you cough or sneeze or use the inside of your elbow throw used tissues in the trash immediately wash your hands with soap and water for at least 20 seconds if soap and water are not readily available clean your hands with a hand sanitizer that contains at least 60 alcoholclean and disinfect clean and disinfect frequently touched surfaces daily this includes tables doorknobs light switches countertops handles desks phones keyboards toilets faucets and sinks if surfaces are dirty clean them use detergent or soap and water prior to disinfection to disinfect most common eparegistered household disinfectants will work use disinfectants appropriate for the surface options include diluting your household bleach to make a bleach solution mix 5 tablespoons 13rd cup bleach per gallon of water or 4 teaspoons bleach per quart of water follow manufacturers instructions for application and proper ventilation check to ensure the product is not past its expiration date never mix household bleach with ammonia or any other cleanser unexpired household bleach will be effective against coronaviruses when properly diluted alcohol solutionsensure solution has at least 70 alcohol", + "https://www.cdc.gov/", + "TRUE", + 0.014357142857142855, + 574 + ], + [ + "How can I help protect myself?", + "practice good hand hygiene and respiratory etiquette including frequent hand washing and covering coughs and frequently clean surfaces such as doorknobs and phones visit the cdcs treatment and prevention page to learn about how to protect yourself from respiratory illnesses", + "https://www.chop.edu/", + "TRUE", + 0.29166666666666663, + 40 + ], + [ + "Is this virus comparable to SARS or to the seasonal flu?", + "the novel coronavirus detected in china in 2019 is closely related genetically to the sarscov1 virus sars emerged at the end of 2002 in china and it caused more than 8 000 cases in 33 countries over a period of eight months around one in ten of the people who developed sars diedas of 24 april 2020 the covid19 outbreak had caused over 2 668 000 cases worldwide since the first case was reported in china in january 2020 of these more than 190 000 are known to have diedsee the situation updates for the latest available informationwhile the viruses that cause both covid19 and seasonal influenza are transmitted from persontoperson and may cause similar symptoms the two viruses are very different and do not behave in the same way\n\necdc estimates that between 15 000 and 75 000 people die prematurely due to causes associated with seasonal influenza infection each year in the eu the uk norway iceland and liechtenstein this is approximately 1 in every 1 000 people who are infected despite the relatively low mortality rate for seasonal influenza many people die from the disease due to the large number of people who contract it each year the concern about covid19 is that unlike influenza there is no vaccine and no specific treatment for the disease it also appears to be more transmissible than seasonal influenza as it is a new virus nobody has prior immunity which means that the entire human population is potentially susceptible to sarscov2 infection", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.12294372294372295, + 252 + ], + [ + "Experts know the new coronavirus is not a bioweapon. They disagree on whether it could have leaked from a research lab", + "much remains uncertain about the new coronavirus what treatments will prove effective against covid19 when will a vaccine for the disease be ready what level of social distancing will be required to tame the outbreak and how long will it need to last will outbreaks come in waves amid all these vital forwardlooking questions remains a more retrospective but still important one where did sarscov2 the virus that causes covid19 come from in the first place experts seem to agree it wasnt the product of human engineering much research has been focused on the hypothesis that bats passed a virus to some intermediate hostperhaps pangolins scaly anteating mammalswhich subsequently passed it to humans but the pangolin theory has not been conclusively proven some experts wonder whether a virus under study at a lab could have been accidentally released something thats happened in the pastamong the latest entrants to the debate about the provenance of sarscov2 are the authors of a march 17 nature medicine piece that takes a look at the viruss characteristicsincluding the sites on the virus that allow it to bind to human cells they looked at whether the virus was engineered by humans and present what appears to be convincing evidence it was not they also considered the possibility that the outbreak could have resulted from an inadvertent lab release of a virus under study but concluded we do not believe that any type of laboratorybased scenario is plausiblenot all experts agreeprofessor richard ebright of rutgers universitys waksman institute of microbiology a biosecurity expert who has been speaking out on lab safety since the early 2000s does agree with the nature medicine authors argument that the new coronavirus wasnt purposefully manipulated by humans calling their arguments on this score strong ebright helped the washington post debunk a claim that the covid19 outbreak can somehow be tied to bioweapons activity a conspiracy theory thats been promoted or endorsed by the likes of us sen tom cotton irans supreme leader and othersbut ebright thinks that it is possible the covid19 pandemic started as an accidental release from a laboratory such as one of the two in wuhan that are known to have been studying bat coronavirusesexcept for sarscov and merscov two deadly viruses that have caused outbreaks in the past coronaviruses have been studied at laboratories that are labelled as operating at a moderate biosafety level known as bsl2 ebright says and he says bat coronaviruses have been studied at such labs in and around wuhan china where the new coronavirus first emerged as a result ebright says bat coronaviruses at wuhan center for disease control and wuhan institute of virology routinely were collected and studied at bsl2 which provides only minimal protections against infection of lab workershigher safetylevel labs would be appropriate for a virus with the characteristics of the new coronavirus causing the current pandemic virus collection culture isolation or animal infection at bsl2 with a virus having the transmission characteristics of the outbreak virus would pose substantial risk of infection of a lab worker and from the lab worker the public ebright saysebright points out that scientists in wuhan have collected and publicized a bat coronavirus called ratg13 one that is 96 percent genetically similar to sarscov2 the nature medicine authors are arguing against the hypothesis that the published labcollected labstored bat coronavirus ratg13 could be a proximal progenitor of the outbreak virus but ebright says the authors relied on assumptions about when the viral ancestor of sarscov2 jumped to humans how fast it evolved before that how fast it evolved as it adapted to humans and the possibility that that the virus may have mutated in cell cultures or experimental animals inside a labthe nature medicine authors leave us where we were before with a basis to rule out a coronavirus that is a lab construct but no basis to rule out a lab accident ebright saysyanzhong huang a senior fellow for global health at the council on foreign relations recently wrote an article for foreign affairs that is dismissive of conspiracy theories about the origins of the pandemic but also mentions circumstantial evidence that supports the possibility that a lab release was involved that evidence includes a study conducted by the south china university of technology that concluded that the coronavirus probably originated in the wuhan center for disease control and prevention located just 280 meters from the hunan seafood market often cited as the source of the original outbreakthe paper was later removed from researchgate a commercial socialnetworking site for scientists and researchers to share papers huang wrote thus far no scientists have confirmed or refuted the papers findingswhile vaccines treatments and social distancing strategies are critical to fighting the covid19 pandemic figuring out where this new coronavirus originated is too it is reasonable to wonder why the origins of the pandemic matter the nature medicine authors write detailed understanding of how an animal virus jumped species boundaries to infect humans so productively will help in the prevention of future animal to people transfer events for example if sarscov2 preadapted in another animal species then there is the risk of future reemergence events in contrast if the adaptive process occurred in humans then even if repeated zoonotic transfers occur they are unlikely to take off without the same series of mutationskristian andersen the lead author of the nature medicine piece did not respond to a request for comment on the article and w ian lipkin another of the authors declined to answer any questions about it thomas gallagher a virus expert and professor at loyola university of chicago seconded the authors in dismissing the idea that the pandemic could have lab roots the authors of the new letter in nature medicine are arguing that the sarscov2 originated in animals not in a research laboratory gallagher says i agree completely with the authors statementsuggesting that sarscov2 is a purposely manipulated laboratory virus or a product of an accidental laboratory release would be utterly defenseless truly unhelpful and extremely inappropriate gallagher saysstill lab safety has been a problem in china a safety breach at a chinese center for disease control and prevention lab is believed to have caused four suspected sars cases including one death in beijing in 2004 a similar accident caused 65 lab workers of lanzhou veterinary research institute to be infected with brucellosis in december 2019 huang wrote in january 2020 a renowned chinese scientist li ning was sentenced to 12 years in prison for selling experimental animals to local marketsand china is hardly the only place to experience such accidents a usa today investigation in 2016 for instance revealed an incident involving cascading equipment failures in a decontamination chamber as us centers for disease control and prevention researchers tried to leave a biosafety level 4 lab that likely stored samples of the viruses causing ebola and smallpox in 2014 the agency revealed that staff had accidently sent live anthrax between laboratories exposing 84 workers in an investigation officials found other mishaps that had occurred in the preceding decadewhether a lab accident could have led to the covid19 outbreak remains unclear but making that determination is worthwhile ebright says understanding the origin of the outbreak is a crucial step to reduce the risk of future outbreaks", + "https://thebulletin.org/", + "TRUE", + 0.07115458381281166, + 1214 + ], + [ + "Are face masks effective in protecting against COVID-19?", + "if you are infected the use of surgical face masks may reduce the risk of you infecting other people on the other hand there is no evidence that face masks will effectively prevent you from becoming infected with the virus in fact it is possible that the use of face masks may even increase the risk of infection due to a false sense of security and increased contact between hands mouth and eyes while wearing them the inappropriate use of masks also may increase the risk of infection", + "https://www.ecdc.europa.eu", + "TRUE", + 0.03928571428571428, + 88 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "What should I do if I think I or my child may have a COVID-19 infection?", + "first call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrival", + "https://www.health.harvard.edu/", + "TRUE", + 0.31375000000000003, + 107 + ], + [ + "Does WHO recommend wearing medical masks to prevent the spread of COVID-19?", + "currently there is not enough evidence for or against the use of masks medical or other in healthy individuals in the wider community however who is actively studying the rapidly evolving science on masks and continuously updates its guidancemedical masks are recommended primarily in health care settings but can be considered in other circumstances see below medical masks should be combined with other key infection prevention and control measures such as hand hygiene and physical distancinghealthcare workers why medical masks and respirators such as n95 ffp2 or equivalent are recommended for and should be reserved for healthcare workers while giving care to patients close contact with people with suspected or confirmed covid19 and their surrounding environment are the main routes of transmission which means healthcare workers are the most exposedpeople who are sick and exhibiting symptoms of covid19 why anyone who is sick with mild symptoms such as muscle aches slight cough sore throat or fatigue should isolate at home and use a medical mask according to whos recommendation on home care of patients with suspected covid19 coughing sneezing or talking can generate droplets that cause can spread the infection these droplets can reach the face of others nearby and land on the surrounding environment if an infected person coughs sneezes or talks while wearing a medical mask this can help to protect those nearby from infection if a sick person needs to go to a health facility they should wear a medical mask\nanyone taking care of a person at home who is sick with covid19 why those caring for individuals who are sick with covid19 should wear a medical mask for protection again close frequent and prolonged contact with someone with covid19 puts caretakers at high risk national decision makers may also choose to recommend medical mask use for certain individuals using a riskbased approach this approach takes into consideration the purpose of the mask risk of exposure and vulnerability of the wearer the setting the feasibility of use and the types of masks to be considered", + "https://www.who.int/", + "TRUE", + -0.0432983193277311, + 339 + ], + [ + "COVID-19 virus can be transmitted in areas with hot and humid climates", + "from the evidence so far the covid19 virus can be transmitted in all areas including areas with hot and humid weather regardless of climate adopt protective measures if you live in or travel to an area reporting covid19 the best way to protect yourself against covid19 is by frequently cleaning your hands by doing this you eliminate viruses that may be on your hands and avoid infection that could occur by then touching your eyes mouth and nose", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.3477272727272727, + 78 + ], + [ + "As coronavirus spreads, many questions and some answers", + "the rapid spread of the virus that causes covid19 has sparked alarm worldwide the world health organization who has declared this rapidly spreading coronavirus outbreak a pandemic and countries around the world are grappling with a surge in confirmed cases in the us social distancing to slow the spread of coronavirus has created a new normal meanwhile scientists are exploring potential treatments and are beginning clinical trials to test new therapies and vaccines and hospitals are ramping up their capabilities to care for increasing numbers of infected patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07943722943722943, + 88 + ], + [ + "Why Funding the Covid-19 Response Could Be the Best Investment a Business Can Make", + "developing and delivering coronavirus vaccines tests and treatments depends on a massive financial commitment from the private sector so does the global economic outlookthe dire threat posed by the novel coronavirus is a function of its speed and scope wuhan china made its first cases public on the last day of 2019 by midapril this year the virus had spread to 185 nations with over 25 million total cases and 165000 deathsthis pandemic is of a completely different order of magnitude says richard hatchett ceo of the coalition for epidemic preparedness innovations cepi an organization tasked with developing effective coronavirus vaccinesalmost 2 billion in funding for vaccines and treatments has flowed from governments charitable foundations global organizations and individual donors but those resources are not enough an additional 6 billion is needed by early may to develop and deliver vaccines tests and effective therapies\nthis appeal is not based solely on public health concerns if adequate vaccines treatments and tests are not developed and distributed in time a rolling cycle of lockdowns and distancing measures could ebb and flow for months if not years with new outbreaks and economic downturns postponing recovery indefinitely\nfor businesses this could mean a second or third wave of economic contractions its firmly in the interests of businesses to be part of financing the science that can provide a reliable and sustainable way out of this crisis says jeremy farrar director of wellcome it is the only way we can get the world back to something like business as usualas such wellcome a global health foundation that is calling on businesses to donate to research and development and join the covidzero coalition stresses that every industry sector has a vested interest in supporting vaccine diagnostics and treatment researchunprecedented acceleration unprecedented cost\nwhile the global economic outlook is difficult to quantify at this early stage of the pandemic current projections remain dire in midapril the international monetary fund predicted cumulative global gdp losses in 2020 and 2021 could reach 9 trillion while the international labor organization warned the pandemic could wipe out the equivalent of almost 200 million fulltime jobs a number equal to the population of nigeria africas most populous country\nimproving those forecasts depends on a comprehensive response to the pandemic delivered on a timetable far more accelerated than that of any other public health mobilization in this century the coronavirus is now an endemic infection says farrar this virus and its colossal impact on our citizens economies and health systems will be with us for quite some time this is not a oneoff event there will be further waves of this pandemic he adds investment now is crucial to give us the best possible chance of developing vaccines treatments and rapid diagnostics in the fastest time possiblefarrar argues that private sector fundraising is therefore a moral and pragmatic imperative these financial contributions will save lives secure jobs and get the world moving again sooner than anything elsefunding a crisis exit strategypublicprivate initiatives that address scientific and organizational challenges will play an important role in the pandemic response one project the covid19 therapeutics accelerator seeded by 125 million in contributions from wellcome the bill and melinda gates foundation and mastercard takes a multifaceted approach to research and logistics the initiative has received millions in donations from the united kingdoms department for international development the michael susan dell foundation the chan zuckerberg initiative and private citizens including the entertainer madonnasince there are no drugs yet to treat the disease the therapeutics accelerator is supporting clinical trials for evaluating new and repurposed drugs that may treat or prevent virus outbreaks it will also streamline funding to remove barriers to development and bring new products to scale in the shortest amount of time thus reducing risk across the development process and freeing up resources to deliver treatmentsprivatesector contributions could play a makeorbreak role in numerous response efforts including injecting some of the 2 billion needed to develop three promising vaccine candidates to lateclinical stages over the next 12 to 18 months hatchett calls that timeline hugely aspirational considering the five years it took to bring a licensed ebola vaccine to market viewed by experts as an extremely fast response the donations can also contribute to efforts like whos covid19 solidarity response fund which funds purchases of essential equipment for medical workers vaccine and test development and publiceducation initiatives\nprivatesector contributions would enable groups like the therapeutics accelerator and cepi to act rapidly for example according to hatchett funding from business and philanthropic donors would enable the organizations eight concurrent candidate vaccine programmes to progress at speed at a time when all candidates with a good chance of success need to be explored in parallelonce covid19 vaccines are proven to work more funding will be needed for organizations such as gavi a publicprivate global health partnership that addresses vaccine equity which will play a critical role in costeffective distribution", + "https://www.nytimes.com/", + "TRUE", + 0.12273232323232328, + 821 + ], + [ + "What is the difference between self-isolation, self-quarantine and distancing?", + "quarantine means restricting activities or separating people who are not ill themselves but may have been exposed to covid19 the goal is to prevent spread of the disease at the time when people just develop symptomsisolation means separating people who are ill with symptoms of covid19 and may be infectious to prevent the spread of the diseasephysical distancing means being physically apart who recommends keeping at least 1metre distance from others this is a general measure that everyone should take even if they are well with no known exposure to covid19 ", + "https://www.who.int/", + "TRUE", + -0.1, + 91 + ], + [ + "Are strong national health systems all we need for pandemic preparedness? ", + "strong health systems are certainly a crucial foundation for preparedness all countries rich or poor need to have a set of core national preparedness capabilities for example they need strong surveillance systems in place that can detect infectious diseases with pandemic potential robust case detection and effective contact tracing identifying and reaching those who may have been in contact with an infected personbut thats only part of the story by definition pandemics cross national boundariesthey are global in nature and they require a global response not just a national one a whole set of transnational activities called global public goods is another critical plank in pandemic preparedness these require collective funding by all countries such goods include developing medical countermeasures like pandemic vaccines diagnostics and treatments stockpiling of medical supplies including personal protective equipment and ensuring that there is global surge capacity to rapidly scale up production and distribution of vaccines ", + "https://www.globalhealthnow.org/", + "TRUE", + 0.08208333333333331, + 151 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminatedafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectantsthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 118 + ], + [ + "Thermal scanners CANNOT detect COVID-19", + "thermal scanners are effective in detecting people who have a fever ie have a higher than normal body temperature they cannot detect people who are infected with covid19there are many causes of fever call your healthcare provider if you need assistance or seek immediate medical care if you have fever and live in an area with malaria or dengue", + "https://www.who.int/", + "TRUE", + 0.2727272727272727, + 59 + ], + [ + "COVID-19: Commission creates first ever rescEU stockpile of medical equipment", + "today the european commission has decided to create a strategic resceu stockpile of medical equipment such as ventilators and protective masks to help eu countries in the context of the covid19 pandemic president ursula von der leyen said with the first ever common european reserve of emergency medical equipment we put eu solidarity into action it will benefit all our member states and all our citizens helping one another is the only way forward medical equipment part of the stockpile will include items such as intensive care medical equipment such as ventilators personal protective equipment such as reusable masks vaccines and therapeutics laboratory supplies commissioner for crisis management janez lenarčič said the eu is taking action to get more equipment to member states we are setting up a resceu stockpile to rapidly get the supplies needed to fight the coronavirus it will be used to support member states facing shortages of equipment needed to treat infected patients protect health care workers and help slow the spread of the virus our plan is to move ahead without delay how the resceu stockpile works the stockpile will be hosted by one or several member states the hosting state will be responsible for procuring the equipment\nthe commission will finance 90 of the stockpile the emergency response coordination centre will manage the distribution of the equipment to ensure it goes where it is needed most the initial eu budget of the stockpile is 50 million of which 40 million is subject to the approval of the budgetary authorities\nin addition under the joint procurement agreement member states are in the process of purchasing personal protective equipment respiratory ventilators and items necessary for coronavirus testing this coordinated approach gives member states a strong position when negotiating with the industry on availability and price of medical products next steps once the measure enters into law on friday 20 march the member state wishing to host resceu stockpiles can apply for a direct grant from the european commission the direct grant covers 90 of the costs of the stockpile while the remaining 10 are borne by the member state background resceu is part of the eu civil protection mechanism which strengthens cooperation between participating states in the field of civil protection with a view to improving prevention preparedness and response to disasters the proposal upgrades the eu civil protection mechanisms resceu reserve of assets that already includes firefighting planes and helicopters through the mechanism the european commission plays a key role in coordinating the response to disasters in europe and beyond when the scale of an emergency overwhelms the response capabilities of a country it can request assistance via the mechanism to date all eu member states participate in the mechanism as well as iceland norway serbia north macedonia montenegro and turkey since its inception in 2001 the eu civil protection mechanism has responded to over 330 requests for assistance inside and outside the eu", + "https://ec.europa.eu/", + "TRUE", + 0.04460784313725491, + 489 + ], + [ + null, + "garlic is a healthy food that may have some antimicrobial properties however there is no evidence from the current outbreak that eating garlic has protected people from 2019ncov", + "https://www.who.int/", + "TRUE", + 0.25, + 28 + ], + [ + "What are the symptoms and complications that COVID-19 can cause?", + "people with covid19 have had a wide range of symptoms reported ranging from mild symptoms to severe illness symptoms may appear 214 days after exposure to the virus people with these symptoms may have covid19cough shortness of breath or difficulty breathing fever chills muscle pain sore throatnew loss of taste or smellchildren have similar symptoms to adults and generally have mild illnessthis list is not all inclusive other less common symptoms have been reported including gastrointestinal symptoms like nausea vomiting or diarrhea", + "https://www.cdc.gov/", + "TRUE", + 0.0031250000000000097, + 82 + ], + [ + "Should parents take babies for initial vaccines right now? What about toddlers and up who are due for vaccines?", + "the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits\ngetting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virusfor children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good ideathe best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child", + "https://www.health.harvard.edu/", + "TRUE", + 0.18416305916305917, + 186 + ], + [ + "Fauci Doesn’t See Vaccine by Fall Even at Current 'Top Speed'", + "anthony fauci director of the national institute of allergy and infectious diseases tells lawmakers that the likelihood of an effective coronavirus treatment or vaccine by the fall is a bridge too far he speaks remotely at a hearing before the us senate health education labor and pensions committee ", + "https://www.bloomberg.com/", + "TRUE", + 0.19999999999999998, + 48 + ], + [ + "Ultra-violet (UV) lamps should not be used to disinfect hands or other areas of your skin", + "uv radiation can cause skin irritation and damage your eyescleaning your hands with alcoholbased hand rub or washing your hands with soap and water are the most effective ways to remove the virus", + "https://www.who.int/", + "TRUE", + 0.55, + 33 + ], + [ + "COVID-19 Background", + "covid19 is caused by a new coronavirus coronaviruses are a large family of viruses that are common in people and many different species of animals including camels cattle cats and bats rarely animal coronaviruses can infect people and then spread between people such as with merscov sarscov and now with this new virus named sarscov2the sarscov2 virus is a betacoronavirus like merscov and sarscov all three of these viruses have their origins in bats the sequences from us patients are similar to the one that china initially posted suggesting a likely single recent emergence of this virus from an animal reservoirearly on many of the patients at the epicenter of the outbreak in wuhan hubei province china had some link to a large seafood and live animal market suggesting animaltoperson spread later a growing number of patients reportedly did not have exposure to animal markets indicating persontoperson spread persontoperson spread was subsequently reported outside hubei and in countries outside china including in the united states most international destinations now have ongoing community spread with the virus that causes covid19 as does the united states community spread means some people have been infected and it is not known how or where they became exposed learn more about the spread of this coronavirus that is causing covid19", + "https://www.cdc.gov/", + "TRUE", + 0.12027103331451158, + 215 + ], + [ + "Can someone who has been quarantined for COVID-19 spread the illness to others?", + "quarantine means separating a person or group of people who have been exposed to a contagious disease but have not developed illness symptoms from others who have not been exposed in order to prevent the possible spread of that disease quarantine is usually established for the incubation period of the communicable disease which is the span of time during which people have developed illness after exposure for covid19 the period of quarantine is 14 days from the last date of exposure because the incubation period for this virus is 2 to 14 days someone who has been released from covid19 quarantine is not considered a risk for spreading the virus to others because they have not developed illness during the incubation period", + "https://www.cdc.gov/", + "TRUE", + -0.041666666666666664, + 122 + ], + [ + "What are the differences between the nasal swab and saliva tests for COVID-19?", + "until recently most tests for covid19 required a clinician to insert a long swab into the nose and sometimes down to the throat in midapril the fda granted emergency approval for a salivabased testthe saliva test is easier to perform spitting into a cup versus submitting to a swab and more comfortable because a person can independently spit into a cup the saliva test does not require interaction with a healthcare worker this cuts down on the need for masks gowns gloves and other protective equipment which has been in short supplyboth the saliva and swab tests work by detecting genetic material from the coronavirus both tests are very specific meaning that a positive test almost always means that the person is infected with the virus however both tests can be negative even if a person is proven later to be infected known as a false negative this is especially true for people who carry the virus but have no symptomssome early reports suggest that the saliva test may have fewer false negatives than the swab test if verified home testing could potentially quickly ramp up the widespread testing we desperately need", + "https://www.health.harvard.edu/", + "TRUE", + 0.01372474747474745, + 192 + ], + [ + "How can my family and I prepare for COVID-19?", + "create a household plan of action to help protect your health and the health of those you care about in the event of an outbreak of covid19 in your community\ntalk with the people who need to be included in your plan and discuss what to do if a covid19 outbreak occurs in your community\nplan ways to care for those who might be at greater risk for serious complications particularly older adults and those with severe chronic medical conditions like heart lung or kidney diseasemake sure they have access to several weeks of medications and supplies in case you need to stay home for prolonged periods of timeget to know your neighbors and find out if your neighborhood has a website or social media page to stay connectedcreate a list of local organizations that you and your household can contact in the event you need access to information healthcare services support and resources\ncreate an emergency contact list of family friends neighbors carpool drivers health care providers teachers employers the local public health department and other community resources", + "https://www.cdc.gov/", + "TRUE", + 0.07013888888888889, + 179 + ], + [ + "Why are wild animals believed to be the source of this outbreak?", + "about 60 of newly emerged and reemerging pathogens share a common origin the bodies of animals genetic and epidemiological evidence suggest that the novel coronavirus like sars may have emerged from a socalled wet market where wild species that would rarely encounter each other in nature are crammed together allowing microbes to spread between species and into humans china claimed to have cracked down on these markets after the sars outbreak but when i visited a few years later it wasnt hard to find one but such markets are only part of the problem the loss of wildlife habitat around the world more generally is forcing wild species to cram into closer proximity to human settlements bats for example have been fingered as the source of ebola sars and a host of other pathogens when we cut down the forests where they live they come roost in our backyards and farms instead its this kind of novel intimate contact that provides opportunities for the microbes that live in their bodies to spread into ours", + "https://www.globalhealthnow.org/", + "TRUE", + 0.0366505968778696, + 174 + ], + [ + "Can you catch coronavirus more than once? Or does a person become immune or have long-term immunity to the virus?", + "its too early to know for sure but other coronaviruses like ones that cause the common cold might give us clueswith common cold coronaviruses you dont actually have immunity that lasts for very long and so we dont know the answer with this specific coronavirus said dr celine gounder a professor of medicine and infectious diseases at the new york university school of medicinethats actually going to be one of the challenges with designing a vaccine is how do you actually cause the immunity to last long enough to protect you", + "https://www.cnn.com/", + "TRUE", + -0.08147727272727272, + 91 + ], + [ + "What is COVID-19?", + "covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06818181818181818, + 25 + ], + [ + "F.D.A. Warns 7 Companies to Stop Claiming Silver and Other Products Treat Coronavirus", + "the food and drug administration and the federal trade commission said the claims threaten public health because consumers might stop or delay appropriate medical treatmentthe food and drug administration said on monday that it had warned seven companies to stop selling products that claim to cure or prevent the coronavirus saying such products were a threat to public health because they might prompt consumers to stop or delay appropriate medical treatment\n\nit was the first time that the agency along with the federal trade commission had issued warning letters for unapproved products related to the coronavirus which causes the illness covid19\n\nthe companies that received the warnings were vital silver quinessence aromatherapy xephyr nergetics gurunanda vivify holistic clinic herbal amy and the jim bakker show a joint statement said the products cited in the letters were teas essential oils tinctures and colloidal silver\n\nthe companies were asked to describe within 48 hours what they had done to correct the violations or be subjected to legal action such as seizures or injunctions the statement said a task force had already worked with retailers and online marketplaces to remove more than three dozen listings of fraudulent covid19 products it addedthere already is a high level of anxiety over the potential spread of coronavirus joe simons the chairman of the trade commission said in the statement what we dont need in this situation are companies preying on consumers by promoting products with fraudulent prevention and treatment claims\n\nthere are at least 545 cases of covid19 in the united states california new york oregon and washington state have all declared emergencies over the spread of the virus and at least 22 people have died from it in the united states the fda and ftc statement noted that there were no vaccines or drugs approved to treat the coronavirus\n\nnergetics a company based in oklahoma that sells colloidal silver said in a statement that it was aware of the warning letter from the fda and it disputed the agencys assertionswe make no claims of any products for the ability to prevent treat or cure human disease the statement said nothing we offer for sale is intended to mitigate prevent treat or diagnose or cure covid19 in people\n\namy weidner of herbal amy in nampa idaho said in an email that the company had removed a quote from one of its descriptions of an herbal product to comply with the warning letter her website links to products for coronavirus costing more than 100because its an allnatural herbal product the fda does not want me to quote anyone saying anything in the product description that would insinuate that it treats mitigates or cures any diseases she said\n\ngurunanda is a californiabased essential oils company named for its founder puneet nanda a selfdescribed entrepreneurturnedyogi in an email megan brown bennett a spokeswoman for gurunanda said that after the company became aware of the warning letter it immediately removed any information related to treatment or prevention of covid19 and the coronavirus\n\ngurunanda at all times strives to be compliant with the law and will continue to work with the fda and the ftc to ensure compliance with the applicable laws and regulations she said\n\nin an email jennifer hickman the owner of vital silver in florida said she was unaware that my company was violating fda standards or that any of the statements could be considered fraudulent she added that she had removed all statements concerning covid19 from the companys website and social media\n\nthe other companies did not immediately respond to a request for comment\n\nthe jim bakker show broadcasts an hourlong show of the same name hosted by the televangelists jim and lori bakker in 1989 mr bakker was sentenced to 45 years in prison and fined 500000 for fraud in connection with his tv ministry and he ultimately served five years in prison and a halfway house\n\nalso on monday the justice department warned makers of health care products not to use the coronavirus outbreak to illegally profit from the sale of face masks sterile gloves and other items\n\nthe department of justice stands ready to make sure that bad actors do not take advantage of emergency response efforts health care providers or the american people during this crucial time attorney general william p barr said in a statementthe department said it would criminally prosecute anyone who violated antitrust laws and pledged to hold accountable any companies that colluded to fix prices on health care products\n\nhealth authorities around the world have struggled to contain not only the outbreak but also the misinformation about it quickly spreading around the internet the world health organization has partnered with tech companies including google facebook and twitter to combat falsehoods and misleading information about the coronavirus\n\nonline searches however often still yield results of holistic medicines purported to affect the virus such as elderberries oregano oil and frankincense dr robert glatter an emergency physician at lenox hill hospital in manhattan warned that products claiming to prevent or cure the coronavirus could be more harmful than helpful\n\nthe bottom line is that there are so many false claims he said and they seem to proliferate as fast as the illness\n\nthe national institutes of health has also cautioned that alternative treatments are ineffective against covid19\n\nhigh doses of vitamins a c and d also do nothing to protect from the virus dr glatter said\n\nvitamin a and d in high quantities can be toxic to the kidney and liver he said vitamin c is not recommended in large doses as it could affect hydration diet modification does not work either he added\n\ninstead he said it is more important to wash your hands and avoid touching your face and to maintain healthy habits such as getting a good amount of rest hydrating and eating fruits and vegetables", + "https://www.nytimes.com/", + "TRUE", + 0.10512613822958654, + 977 + ], + [ + "How is someone tested for COVID-19?", + "a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get better", + "https://www.health.harvard.edu/", + "TRUE", + 0.09559523809523808, + 155 + ], + [ + "How can people help stop stigma related to COVID-19?", + "people can fight stigma by providing social support in situations where you notice this is occurring stigma affects the emotional or mental health of stigmatized groups and the communities they live in stopping stigma is important to making communities and community members resilient see resources on mental health and coping during covid19 everyone can help stop stigma related to covid19 by knowing the facts and sharing them with others in your community", + "https://www.cdc.gov/", + "TRUE", + 0.05281385281385282, + 72 + ], + [ + "Should I postpone my elective surgery?", + "its likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.07222222222222223, + 110 + ], + [ + "What are the symptoms of Covid-19?", + "covid19 shares many of its symptoms with the flu or common cold although there are certain symptoms common to flu and colds that are not usually seen in covid19 people with confirmed cases of covid19 rarely suffer from a runny nose for instancethe most common covid19 symptoms are a fever and a dry cough of 55924 early chinese cases of the disease nearly 90 per cent of patients experienced a fever and just over twothirds suffered with a dry cough thats why the uk government is advising anyone with a high temperature or a new continuous cough to stay at home for seven days or if they live with other people for the entire household to isolate for 14 days from the first onset of symptomsother covid19 symptoms are less common just under 40 per cent of people with the disease experience fatigue while a third of people cough up sputum a thick mucus from within the lungs other rarer symptoms include shortness of breath muscle pain sore throats headaches or chills loss of smell or taste according to the who symptoms tend to appear between five and six days after infection", + "https://www.wired.co.uk/", + "TRUE", + 0.03970418470418469, + 192 + ], + [ + "What is the mode of transmission? How (easily) does it spread?", + "while animals are believed to be the original source the virus spread is now from person to person humantohuman transmission there is not enough epidemiological information at this time to determine how easily this virus spreads between people but it is currently estimated that on average one infected person will infect between two and three other people the virus seems to be transmitted mainly via small respiratory droplets through sneezing coughing or when people interact with each other for some time in close proximity usually less than one metre these droplets can then be inhaled or they can land on surfaces that others may come into contact with who can then get infected when they touch their nose mouth or eyes the virus can survive on different surfaces from several hours copper cardboard up to a few days plastic and stainless steel however the amount of viable virus declines over time and may not always be present in sufficient numbers to cause infectionthe incubation period for covid19 ie the time between exposure to the virus and onset of symptoms is currently estimated to be between one and 14 days \nwe know that the virus can be transmitted when people who are infected show symptoms such as coughing there is also some evidence suggesting that transmission can occur from a person that is infected even two days before showing symptoms however uncertainties remain about the effect of transmission by asymptomatic persons ", + "https://www.ecdc.europa.eu/", + "TRUE", + 0.009313725490196077, + 240 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soupsfrozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 100 + ], + [ + "ARE BLACK PEOPLE REALLY SAFE FROM CORONAVIRUS BECAUSE OF MELANIN?", + "how fake news helped this strange and utterly false coronavirus myth spin out of control as fear of the deadly coronavirus has gripped the globe there has been one rather vocal section of the world at least online thats reveling in their presumed safety from the dreaded disease you see over on black twitter folks are boasting that black people are naturally safe from infection because we have melanin and also ginger aleso um where did all these illfounded health rumors start and why would black people possibly think that our melanin is like teflon from viral infectionfor starters if you check this interactive map from the new york times that tracks the spread of the virus youll notice a few areas that have no known infections youll also notice that those same areas have something else in common theyre places where people with lots of melanin live you put one and one together and boom now you have the beginnings of a quasiscientific opinion based on an obvious observationbut really all it took was one fake news story from valentines day for the hoteps on facebook and twitter to flood their feeds with this wave of disinformation that article from a website called cityscrollz and which has since been deleted was later repurposed and has reappeared in more professionalappearing posts like this one which features the gripping headline chinese doctor says african skin resists coronavirus a secondwave clickbait news story was published on february 16th by the zambian observer until yesterday id never heard of this news site but whatever it is its reporting on why melanin protects black people from coronavirus isnt just factually challenged its a dangerous lie for instance consider the scientific acumen of this choice passagethe chinese doctors confirmed that senou stayed alive because of his blood genetic composition which is mainly found in the genetic composition of subsaharan africans chinese doctors also said that he remained alive because he has black skin the antibodies of a black are three times stronger powerful and resistant compared to that of a whitezanomoya mditshwa an african shared his opinion saying black man is indestructible caucasians is always at war with our black skin because they know our melanin is our defense against all that they throw at us this proves yet again that the black man is indestructible our bodies are made of the same substances that make up this earth because we are owners of this universe they will never wipe us off history has already proved that he saidwhile news stories like this are good for a laugh like all ignorance they also pose a serious health risk and this rumor has been spreading online about as quickly as the virus has been bouncing across realworld bordersthe wrongheaded notion of melanated protection has become so commonplace snopes had to step in to debunk it the associated press fact check also did its journalistic due diligence to disrupt the rumors spread meanwhile the afp spoke with amadou alpha sall the director of the institut pasteur in senegal the institute is a research center thats been analyzing the infection profiles of possible patients in subsaharan africa he attempted to clear the haze of confusion by saying theres no scientific evidence to support this rumor ethnicity and genetics have no influence on recovery from the virus and black people dont have more antibodies than white peoplethere is one part of this story thats real senou the cameroonian patient referred to and how he was returned to full health after contracting coronavirus is the story that people should actually know even if its not as funnyas the bbc originally reported senou is a 21yearold student from cameroon who lives and studies in jingzhou china having previously contracted malaria as a child senou was legit scared when he was convinced that hed contracted the novel coronavirus he told the bbc when i was going to the hospital for the first time i was thinking about my death and how i thought it was going to happen for his treatment chinese doctors didnt rely on his melanin to beat the virus nor did they trust that his black antibodies were three times stronger powerful and resistant instead they gave him antibiotics and drugs usually prescribed to patients battling hivtwo weeks of medical attention later and senou was declared to have fully recovered his medical treatment was fully paid for by the chinese government this fact alone would appear to be far more important and integral to his recovery than any racialized strength of his antibodiesthen late last week there was even more news that should have upset the narrative that black peoples melanin somehow makes us naturally immune to coronavirus that is the first patient in subsaharan africa was diagnosed after contracting the semideadly illness the victim was reported in nigeria except theres a catch the patient isnt black according to the new york times hes reportedly an italian national who works in nigeria not to mention hed just returned to the country from a trip to milan which means that theres still no official cases of a subsaharan african who has contracted coronavirus \ninterestingly another large geographic area filled with brown people of all shades india has also been largely immune to coronavirus despite the fact that it borders china for 2167 miles but again according to the economic times this probably has more to do with the countrys supply chain unlike its neighbors india has been very reluctant to rely on chinese commerce than the color of its populaces skin after all the chinese epicenter of the viral outbreak is wuhan a heavily industrial city whose products ship globally but india isnt buying much if you consider how the virus has hit rural iran packaging of chinese goods would make a lot of sense as a disease vector and be far more productive to consider than melanin protection because in tough everevolving cases like these the answer is hardly ever skindeep", + "https://melmagazine.com/", + "TRUE", + 0.04448907335505272, + 1002 + ], + [ + "Use of herbal drugs to treat COVID-19 should be with caution", + "on april 14 2020 a chinese official announced at a press conference that indications of three patent herbal drugs were approved to be expanded to include covid19 symptoms this included lianhuaqingwen capsules and jinhuaqinggan granules for mild conditions and xuebijing injectable for severe conditionsthese drugs are widely used to treat covid19 in china the official claimed the patent herbal drugs can effectively relieve symptoms such as fever cough and fatigue and reduce the probability of patients developing severe conditions but without giving further details so far no highquality rigorously peerreviewed clinical trials of herbal drugs have been reported in internationally recognised journals the approvals based on invitro investigations and anecdotal clinical data will probably lead to several worrisome consequencesfirst safety is the top priority advocates argue that herbal drugs are widely used and safe but the truth is that all drugs carry risks in the 1990s vanherweghem and colleagues reported that some women who followed a slimming herbal remedy developed rapidly progressive renal failure and urothelial carcinoma further investigations highlighted the role of aristolochic acid a compound found in many traditional herbs certain batches of an injectable herbal drug called xiyanping which is recommended by the chinese diagnosis and treatment protocol of covid19 have already been recalled after reports of adverse effectsalthough these patent herbal drugs have been used clinically for several years when we apply them to a novel disease like covid19 especially in combination with other antivirals antibiotics and immune suppressants the safety should be cautiously evaluated\nsecond more evidence is required through controlled clinical trials to support the efficacy of these herbal drugs many traditional medicine practitioners believe that herbal remedies cannot be tested because they are tailored to each individuals syndromes this argument is simply not convincing because the patent herbal drugs are produced in advance of any treatment and their composition is fixed clinical endpoints including mortality time to clinical improvement and number of days in an intensive care unit can be used to evaluate the efficacy of the herbal drugs for covid19 standardised trials might have methodological challenges consuming time and effort but that should not be the reason for lowering safety and efficacy standards thousands of years of usage and faith cannot be taken as evidence for efficacy of traditional herbsthird the basic molecular mechanism is obscure lianhuaqingwen capsules have been shown to have widespectrum antiviral effects and antiinflammatory activities but the active ingredients and the underlying mechanism of action are unknown herbal drugs usually contain many active ingredients and it is important to better understand which ingredients are functional and how they work limited experimental cell cultures and animal studies cannot guarantee safety and efficacyfinally the public can easily purchase herbal drugs without a doctors prescription driven by the claim that some patent herbal drugs can effectively treat covid19 some patients with flu symptoms who fear quarantine measures are likely to selfmedicate with herbal remedies and avoid going to hospital thus delaying the proper diagnosis and treatment of the disease and hampering the governments testing tracing and quarantining efforts at the end of january 2020 rumours circulating on social media suggested that a patent herbal drug called shuanghuanglian which contains honeysuckle and forsythia and is used routinely in traditional medicine to treat influenza and the common cold helps ward off or even cure covid19 millions of people nationwide crowded into drug stores to buy the herbal drug as a justincase remedythe current covid19 pandemic is an unprecedented challenge for the chinese government and the general public doctors and researchers are desperately seeking a proven cure for it when the conventional drugs such as lopinavir ritonavir chloroquine and hydroxychloroquine are not as effective as expected8 9 screening potential active components from traditional herbal medicine is a viable strategy that should not be dismissed my colleagues and i have previously called for more attention to testing traditional herbal medicine for the treatment of covid1910 but a rushed judgment without sufficient scientific evidence should be cautioned againstgiven the formidable morbidity and mortality of covid19 it is understandable to see emergency use of unproven drugs but the approval of a new indication for herbal drugs should still build on evidence in the past decades the chinese government has invested huge sums of money to promote the modernisation and standardisation of traditional medicine carrying out sustainable basic and clinical research to get international recognition but the rushed approval seems to be a backward step the attempt to develop rigorously tested drugs from traditional herbal medicine should not be given up it is the only way to protect our vulnerable patients", + "https://www.thelancet.com/", + "TRUE", + 0.06254095004095003, + 763 + ], + [ + "How does the new coronavirus compare with the flu?", + "research so far indicates that covid19 spreads more easily and has a higher death rate than the flusince the new coronavirus was first discovered in january many people have compared it with a more wellknown disease the flumany of these comparisons pointed to the perhaps underappreciated toll of the flu which causes millions of illnesses and tens of thousands of deaths every year in the us alone during the current flu season the centers for disease control and prevention cdc estimates that there have been 39 million to 56 million flu illnesses and 24000 to 62000 flu deaths in the us although that number is an estimate based on hospitalizations with flu symptoms not based on actually counting up every person who has died of fluthe new coronavirus disease covid19 has caused more than 14 million illnesses and 85000 deaths in the us as of may 14 according to data from johns hopkins universityboth covid19 and the flu are respiratory illnesses but covid19 is not the flu research so far indicates that covid19 spreads more easily and has a higher death rate than the fluscientists are racing to find out more about covid19 and our understanding may change as new information becomes available based on what we know so far heres how it compares with the flusymptoms and severityboth seasonal flu viruses which include influenza a and influenza b viruses and covid19 are contagious viruses that cause respiratory illness typical flu symptoms include fever cough sore throat muscle aches headaches runny or stuffy nose fatigue and sometimes vomiting and diarrhea according to the cdc flu symptoms often come on suddenly most people who get the flu will recover in less than two weeks but in some people the flu causes complications including pneumonia the overall hospitalization rate in the us for flu this season is about 69 hospitalizations per 100000 people according to the cdcwith covid19 doctors are still trying to understand the full picture of disease symptoms and severity reported symptoms in patients have varied from mild to severe and can include fever cough and shortness of breath according to the cdc other symptoms may include fever chills repeated shaking with chills muscle pain headache sore throat and new loss of taste or smell covid19 symptoms appear to come on more gradually than those of flu according to healthline\nolder adults and people with underlying medical conditions including heart disease lung disease or diabetes appear to be at higher risk for more serious complications from covid19 compared with people in younger age groups and those without underlying conditionsthe overall hospitalization rate for covid19 in the us is about 50 hospitalizations per 100000 people as of may 8 although the hospitalization rate for adults ages 65 and older is higher at 162 hospitalizations per 100000 people according to the cdc however because fewer people have likely gotten covid19 in the us than have gotten the flu the odds of becoming hospitalized if you have a confirmed case of covid19 are thought to be higher than the odds of being hospitalized with influenzachildren are a high risk group for complications from flu but this doesnt seem to be the case for covid19 few children have been hospitalized with the new coronavirus a study of covid19 cases in the united states published march 18 found that among 4226 reported cases at least 508 people 12 were hospitalized and of these less than 1 were younger than 20 years old but recently covid19 has been linked to a rare but serious inflammatory syndrome in children called pediatric multisystem inflammatory syndrome new york city has confirmed 100 cases of the syndrome in children according to the new york timesits important to note that because respiratory viruses cause similar symptoms it can be difficult to distinguish different respiratory viruses based on symptoms alone according to the world health organizationdeath rate the death rate from seasonal flu is typically around 01 in the us according to news reportsthough the death rate for covid19 is unclear almost all credible research suggests it is much higher than that of the seasonal fluits important to note that there is no one death rate for covid19 the rate can vary by location age of person infected and the presence of underlying health conditions live science previously reportedamong reported covid19 cases in the us nearly 6 have died this is whats known as the case fatality rate which is determined by dividing the number of deaths by the total number of confirmed cases but the case fatality rate is limited for a few reasons first not everyone with covid19 is being diagnosed with the disease this is in part due to testing limitations in the us and the fact that people who experience mild or moderate symptoms may not be eligible for or seek out testing as the number of confirmed cases goes up the fatality rate may decreaseresearchers from columbia university recently estimated that only 1 in 12 cases of covid19 in the us are documented which they said would translate to an infection fatality rate of about 06 according to the washington post but even this lower estimate is still at least six times higher than that of the flu the case fatality rate in people who become sick with flu may be 01 but when you account for people who become infected with flu but never show symptoms the death rate will be half or even a quarter of that the post reportedwhats more unlike the flu for which there is a vaccine everyone in the population is theoretically susceptible to covid19 so while the flu affects 8 of the us population every year according to the cdc between 50 and 80 of the population could be infected with covid19 according to a study published march 30 in the journal the lancet in the us that would translate to 1 million deaths from covid19 if half the population becomes infected and there are no social distancing measures or therapeutics the post reportedadvertisement another limitation with the case fatality rate is that some people who are counted as confirmed cases may eventually die from the disease which would lead to an increase in the death rate for example south korea initially reported a case fatality rate of 06 in early march but it later rose to 17 by the beginning of april according to new scientistits also important to note that estimates of flu illnesses and deaths from the cdc are just that estimates which make certain assumptions rather than raw numbers the cdc does not know the exact number of people who become sick with or die from the flu each year in the us rather this number is estimated based on data collected on flu hospitalizations through surveillance in 13 states a recent paper published in the journal jama internal medicine emphasized this point when it found that in the us there were 20 times more deaths per week from covid19 than from the flu in the deadliest week of an average influenza season live science previously reportedvirus transmission the measure scientists use to determine how easily a virus spreads is known as the basic reproduction number or r0 pronounced rnought this is an estimate of the average number of people who catch the virus from a single infected person live science previously reported the flu has an r0 value of about 13 according to the new york timesresearchers are still working to determine the r0 for covid19 preliminary studies estimated an r0 value for the new coronavirus to be between 2 and 3 according to a review study published feb 28 in the journal jama this means each infected person has spread the virus to an average of 2 to 3 people\nsome studies suggest covid19 has an even higher r0 value for example a study published april 7 in the journal emerging infectious disease used mathematical modeling to calculate an r0 of nearly 6 in chinaits important to note that r0 is not a constant number estimates can vary by location depending on such factors as how often people come into contact with each other and the efforts taken to reduce viral spread live science previously reportedpandemics seasonal flu which causes outbreaks every year should not be confused with pandemic flu or a global outbreak of a new flu virus that is very different from the strains that typically circulate this happened in 2009 with the swine flu pandemic which is estimated to have infected up to 14 billion people and killed between 151000 and 575000 people worldwide according to the cdc there is no flu pandemic happening currentlyon march 11 the who officially declared the outbreak of covid19 a pandemic this is the first time the who has declared a pandemic for a coronavirusprevention unlike seasonal flu for which there is a vaccine to protect against infection there is no vaccine for covid19 but researchers in the us and around the world are working to develop onein addition the flu has several treatments approved by the food and drug administration fda including antiviral drugs such as amantadine and rimantadine flumadine and inhibitors of influenza such as oseltamivir tamiflu and zanamivir relenza in contrast the fda has yet to approve any treatments for covid19 although approval for remdesivir an antiviral initially developed to treat ebola is pendingin general the cdc recommends the following to prevent the spread of respiratory viruses which include both coronaviruses and flu viruses wash your hands often with soap and water for at least 20 seconds avoid touching your eyes nose and mouth with unwashed hands avoid close contact with people who are sick stay home when you are sick and clean and disinfect frequently touched objects and surfaces wearing cloth face coverings in public and practicing social distancing or staying at least 6 feet 18 meters away from other people is also recommended to prevent the spread of covid19", + "https://www.livescience.com/", + "TRUE", + 0.08232380672940122, + 1659 + ], + [ + "Who Knew Grocery Shopping Could Be So Stressful?", + "pushing a shopping cart braving crowded aisles and even unpacking bags feel perilous heres our guide to shopping during the coronavirus crisisas much of the world practices social distancing to stop the spread of coronavirus trips to the grocery store are one of the few reasons many of us still are allowed to leave the housebut the logistics of shopping for groceries can be daunting what happens if some key items on my shopping list are sold out how do i keep my distance in a crowded produce aisle and just how many people have touched that jar of peanut butter or can of beans we brought homewe talked to infectious disease experts about how to shop for groceries during the coronavirus crisis heres their advicecheck store policies look online for what your store is doing to protect both customers and workers many stores now close early to sanitize and offer dedicated shopping hours to customers who are 60 and older some stores have installed wipe and hand sanitizer stations and put colored tape on floors to help customers keep their distance at checkout lines if your store isnt taking special measures dont shop thereshould i wear a mask and gloves the centers for disease control and prevention now recommends wearing a face covering or homemade mask in public spaces gloves are not recommended or necessary if you wash your hands after shopping dont let wearing a mask give you a false sense of security you should still limit trips to the store avoid touching your face and wash your hands when you get homebring your own wipes and sanitizer most stores are providing hand sanitizer wipes but i encourage people to bring some of their own some stores have run out said dr elizabeth eckstrom professor and chief of geriatrics at oregon health science university when you finish shopping wipe your hands again and wipe the handles of your car before getting in i am also wiping my steering wheel but that might be going overboardwipe the shopping cart even during the best of times the handle on your shopping cart has more bacteria than most public restrooms when researchers in 2012 swabbed the handles of 85 shopping carts in iowa california oregon and georgia they found digestive tract bacteria on 73 percent of the carts if you can wipe down the cart handle and child seat before you shop and when you leave do a good deed and wipe your cart handle for the next shopperwhat if i dont have wipes dont freak out if you or your store have run out of wipes the risk of becoming infected from touching any individual shopping cart is probably very very low said dr daniel winetsky infectious diseases fellow at columbia university irving medical center so if wipes are not available there is no need to abandon your grocery shopping needs just try not to touch your face while shopping and wash your hands or use hand sanitizer after you are doneshop early most stores are closing early now to restock and sanitize at night try to shop early when stores are cleanest and shelves are full or shop at offpeak hours when stores are less crowdedkeep your distance its probably not feasible to keep a sixfoot radius at all times in a grocery store but try for at least three feet as recommended by the world health organization the majority of respiratory droplets we produce while breathing and talking fall to the ground and onto our hands within a few feet from us so even a little bit of distance helps dr winetsky saidlimit your trips to the store most people dont have the freezer space or the funds to stock up on two weeks of groceries but try to get enough food so you dont have to shop more than once a week every trip to the grocery store is a small exposure event said dr robert amler dean of new york medical college school of health sciences and practice and a former chief medical officer for the centers for disease control and prevention you dont want to do it too often or spend too much time therehave a flexible plan to minimize your time in the store have a shopping list that allows for alternatives dont fret if your store has run out of chicken or salmon fillets just find a substitute protein other meats eggs tofu canned tuna beans and move onshop for longlasting foods frozen fruits and vegetables are great to have in a pinch but you can also buy longerlasting fresh produce root vegetables such as potatoes or carrots as well as squash onions celery apples or oranges can last for weeks taste of home has a useful guide on how long fruits and vegetables will keep regular yogurt hard cheese and nondairy milk can last a while wholewheat tortillas can be frozen and are a great substitute for sandwich bread which takes up more space in the freezerdont hoard panicbuying has prompted some people to fight over toilet paper and pilfer from others shopping carts take what you need for the week leave food for others be reassured that while there may be some empty shelves and temporary shortages of some items food makers are confident in the supply chain and that well have plenty to eatreally really dont touch your face we know its hard but if there ever was a time to not touch your face its in a grocery store filled with people touching everything before you put it in your cart sanitize your hands while shopping and after touching highcontact areas like freezer doors absolutely dont touch your face said dr amler dont touch your mouth dont touch your eyes dont rub your nose until youve been able to sanitize your handsbe kind to your checkout person try to maintain a reasonable distance at checkout if paying with cash set the money on the counter rather than handing it to the cashier and given that this is an opportunity for inperson social interaction try to make the most of it and be friendly try to maintain distance at checkout but be pleasant and supportive dr amler said there is a risk to them being in that environment all the time you might want to thank them for working during this hectic period\nis selfcheckout better dr winetsky noted that at selfcheckout youre trading an interaction with one person for a selfcheckout surface that has been touched by many many people before you either way wash your hands afterwardreusable bags are still ok but check with your store a report from loma linda university noted that bacteria could persist on and in reusable checkout bags but this is not a reason to stop using them wash and wipe bags when you can and wash your hands after using them offer to pack your own groceries to protect the checkout person from your germs said dr eckstrom that said some stores may have a policy against bringing reusable bagsdr winetsky agreed that the risk of infection from reusable bags is low and noted that using them not only helps the environment but can serve as a reminder of the link between the environment and our health we should all be bringing reusable grocery bags to reduce our carbon footprint and lower our impact on the environment he said this may seem like an unrelated idea but deforestation can play a role in the emergence of pandemic viruses by bringing humans into closer contact with mammal species from which we were previously very isolatedshould i wipe jars and plastic containers when i get home the majority of transmission of coronavirus is likely from close contact with an infected person viral particles do not survive well on paper or cardboard surfaces and while the virus lasts longer on hard surfaces contamination from jars and plastic containers is not a big risk if it makes you feel better dr amler said give them a quick wipe as you unpackdr winetsky agreed that the risk of contamination from jars cans or other containers is infinitesimally small and that you have to balance risk with anxiety i would not do this myself or really recommend it to other people he said this level of anxiety about sanitation can be harmful in and of itselfwhat about produce dr eckstrom advised washing your hands after unpacking groceries and if youre going to eat raw produce she recommends washing it with an organic soap for washing vegetables or any natural dish soapi am not wiping everything down but i am carefully washing my hands after touching these grocery items said dr eckstrom cooking does kill the virus but any fresh produce that is eaten raw should be carefully washeddont stress while its smart to take precautions you also need to take care of your mental health and try to minimize the anxiety of shopping during the pandemic be reasonable with yourself dr amler said dont overly stress do the best you can and most of the time youre going to come out ok", + "https://www.nytimes.com/", + "TRUE", + 0.1902058421376603, + 1524 + ], + [ + "Being able to hold your breath for 10 seconds or more without coughing or feeling discomfort DOES NOT mean you are free from the coronavirus disease (COVID-19) or any other lung disease.", + "the most common symptoms of covid19 are dry cough tiredness and fever some people may develop more severe forms of the disease such as pneumonia the best way to confirm if you have the virus producing covid19 disease is with a laboratory test you cannot confirm it with this breathing exercise which can even be dangerous", + "https://www.who.int/emergencies/diseases/novel-coronavirus-2019/advice-for-public/myth-busters", + "TRUE", + 0.1476190476190476, + 56 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=%{customdata[3]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
source=%{customdata[2]}
polarity=%{customdata[4]}", + "legendgroup": "TRUE", + "marker": { + "color": "#636efa" + }, + "name": "TRUE", + "offsetgroup": "TRUE", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 68, + 768, + 513, + 121, + 26, + 148, + 50, + 144, + 1464, + 169, + 149, + 843, + 1030, + 881, + 797, + 776, + 82, + 101, + 143, + 100, + 374, + 1162, + 356, + 113, + 86, + 1124, + 8, + 511, + 1750, + 549, + 205, + 302, + 151, + 667, + 2056, + 689, + 25, + 277, + 1403, + 160, + 2664, + 363, + 252, + 1162, + 64, + 1384, + 50, + 638, + 150, + 111, + 1018, + 76, + 177, + 732, + 633, + 39, + 76, + 55, + 233, + 125, + 797, + 134, + 364, + 132, + 2407, + 420, + 2072, + 211, + 81, + 104, + 157, + 681, + 135, + 183, + 106, + 3703, + 45, + 247, + 90, + 387, + 148, + 268, + 132, + 22, + 47, + 159, + 1460, + 156, + 3295, + 334, + 193, + 200, + 705, + 2612, + 256, + 411, + 120, + 95, + 67, + 1165, + 86, + 96, + 1580, + 537, + 199, + 230, + 476, + 454, + 81, + 306, + 2114, + 155, + 220, + 247, + 777, + 112, + 291, + 963, + 147, + 31, + 66, + 1659, + 795, + 153, + 167, + 54, + 1127, + 237, + 313, + 150, + 54, + 2691, + 118, + 2450, + 269, + 788, + 58, + 148, + 781, + 94, + 64, + 275, + 908, + 139, + 274, + 65, + 1232, + 62, + 1610, + 1720, + 24, + 45, + 1424, + 185, + 85, + 618, + 120, + 574, + 142, + 971, + 4557, + 35, + 1368, + 143, + 609, + 764, + 141, + 731, + 405, + 244, + 1349, + 1241, + 181, + 895, + 181, + 1002, + 1599, + 86, + 861, + 805, + 80, + 3560, + 904, + 135, + 1028, + 270, + 64, + 366, + 122, + 198, + 124, + 153, + 136, + 508, + 1161, + 914, + 165, + 420, + 245, + 96, + 93, + 54, + 81, + 1174, + 68, + 190, + 133, + 138, + 111, + 317, + 109, + 46, + 184, + 205, + 888, + 1525, + 229, + 364, + 866, + 821, + 50, + 100, + 80, + 143, + 2062, + 30, + 304, + 511, + 1118, + 382, + 39, + 857, + 1247, + 855, + 1783, + 140, + 361, + 189, + 83, + 145, + 138, + 174, + 170, + 755, + 741, + 349, + 47, + 1551, + 134, + 206, + 230, + 547, + 509, + 1649, + 167, + 189, + 23, + 1268, + 143, + 146, + 167, + 631, + 2455, + 1819, + 884, + 146, + 215, + 441, + 789, + 322, + 1674, + 970, + 126, + 199, + 129, + 552, + 985, + 159, + 484, + 140, + 177, + 467, + 72, + 164, + 56, + 406, + 104, + 612, + 141, + 72, + 1404, + 439, + 479, + 66, + 2062, + 159, + 93, + 56, + 168, + 236, + 1356, + 181, + 43, + 168, + 184, + 146, + 62, + 76, + 158, + 69, + 51, + 615, + 12, + 153, + 135, + 518, + 142, + 4, + 130, + 1288, + 162, + 1243, + 1426, + 769, + 219, + 272, + 42, + 367, + 12, + 134, + 564, + 1195, + 47, + 151, + 557, + 158, + 60, + 236, + 64, + 54, + 172, + 425, + 1650, + 91, + 549, + 1114, + 103, + 1330, + 1404, + 1150, + 558, + 62, + 80, + 208, + 190, + 898, + 712, + 615, + 93, + 56, + 117, + 96, + 874, + 143, + 180, + 662, + 204, + 413, + 67, + 532, + 107, + 190, + 2374, + 128, + 578, + 3345, + 270, + 637, + 941, + 712, + 244, + 71, + 72, + 576, + 68, + 69, + 34, + 816, + 75, + 38, + 2198, + 95, + 336, + 1402, + 533, + 151, + 118, + 1105, + 138, + 93, + 1653, + 679, + 218, + 167, + 89, + 166, + 153, + 80, + 796, + 286, + 63, + 115, + 391, + 178, + 73, + 83, + 141, + 128, + 68, + 64, + 50, + 28, + 2116, + 145, + 564, + 45, + 136, + 2117, + 1062, + 2046, + 6, + 470, + 752, + 803, + 136, + 1012, + 461, + 45, + 200, + 484, + 838, + 153, + 1047, + 68, + 3235, + 21, + 725, + 137, + 164, + 148, + 208, + 143, + 72, + 169, + 1266, + 62, + 268, + 142, + 501, + 231, + 584, + 350, + 138, + 197, + 54, + 173, + 2085, + 903, + 68, + 679, + 176, + 96, + 1545, + 1009, + 635, + 1609, + 2796, + 42, + 69, + 1470, + 286, + 1080, + 174, + 82, + 131, + 190, + 526, + 880, + 758, + 176, + 885, + 3688, + 123, + 81, + 63, + 97, + 1144, + 489, + 78, + 108, + 184, + 1420, + 543, + 17, + 1178, + 349, + 508, + 313, + 78, + 13, + 77, + 120, + 146, + 46, + 30, + 287, + 776, + 246, + 3069, + 1082, + 260, + 70, + 141, + 123, + 85, + 2210, + 1210, + 213, + 69, + 152, + 194, + 102, + 55, + 52, + 153, + 248, + 3887, + 55, + 42, + 185, + 928, + 2257, + 101, + 54, + 226, + 1506, + 574, + 40, + 252, + 1214, + 88, + 95, + 107, + 339, + 78, + 88, + 821, + 91, + 151, + 118, + 59, + 489, + 28, + 82, + 186, + 48, + 33, + 215, + 122, + 192, + 179, + 174, + 91, + 25, + 977, + 155, + 72, + 110, + 192, + 240, + 100, + 1002, + 763, + 1659, + 1524, + 56 + ], + "y0": " ", + "yaxis": "y" + }, + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "customdata": [ + [ + "CDC urges Americans to just say ‘No’ if friend offers them coronavirus, WHO says global risk of Wuhan virus is ‘high’", + "the center for disease control cdc held a press conference on monday jan 27 to warn americans about the seriousness of the coronavirus and urged citizens to just say no if a friend offers them the viruswhile it may seem cool to be seen around the park or the mall with a runny nose and hacking cough there are very real negative side effects to experimenting with this virus said satish pillai a medical officer in the division of preparedness and emerging infections asking the assembled reporters to remember that one of the most deadly disease vectors of all is peer pressurei know what youre thinking ill just get a couple of respiratory infections at a party i can stop anytime i want but its not that simple and soon the virus has you in its seductive grip so if you see someone collapsing from a fever just tell them no thanks i dont need an infectious agent to have fun he continuedthe medical officer also advised that if you feel you absolutely must try the coronavirus be sure to contract it from someone you know and trust as it may turn out to be something more lethal such as avian flu or sarswho on the same say stated that the global risk from the deadly virus was high admitting an error in its previous communications published on thursday friday and saturday which incorrectly said the global risk was moderatein a report published late on sunday jan 26 the un health body said the risk was very high in china high at the regional level and high at the global levelthere are at least five confirmed cases of the wuhan coronavirus in the us all people whod traveled recently to wuhan china the centers for disease control and prevention said on sunday they are now in isolation hospitalsthree cases were confirmed sunday one in maricopa county arizona one in los angeles county california and one in orange county californiatwo others were previously reported one in everett washington and another in chicago all of the patients will be evaluated case by case before theyre released according to nbc news the us state department said on sunday it was arranging a flight from wuhan to san francisco for consulate staff and other americans in the citypresident trump said that his administration is watching the virus outbreak closelythe cdc is screening travelers from wuhan at several us airports including in los angeles san francisco and john f kennedy international airport in new york atlantas hartsfieldjackson atlanta international airport and chicagos ohare international airport began screenings last week according to cnnthe cdc encourages people to follow flu season protocol wash hands with soap and water for at least 20 seconds avoid ill people and stay home and avoid public situations if theyre ill a coronavirus vaccine would take at least a year to reach the publiccorrection the bl incorrectly attributed the following quote to satish pillai a medical officer in the division of preparedness and emerging infection at the cdc while it may seem cool to be seen around the park or the mall with a runny nose and hacking cough there are very real negative side effects to experimenting with this virus dr pillai never made this comment the bl regrets the error", + "https://thebl.com/", + "FAKE", + -0.006815708101422388, + 550 + ], + [ + "Scientific Puzzles Surrounding the Wuhan Novel Coronavirus ", + "the sudden outbreak of the wuhan novel coronavirus 2019ncov has resulted in all of chinas hubei province and three major cities in zhejiang province being subjected to quarantine other nations are anxiously trying to get their people out of china and restrictions are being placed on flights to china because this novel virus has an extremely high transmission speed high r0 and a high fatality rate it is posing a significant challenge to public health not only in china but around the worldthere are major gaps in our knowledge of the viruss origin duration of humantohuman transmission and clinical management of those infected based on the currently limited information coming from china nevertheless the findings of those scientists who have recently published research papers about this virus are summarized belowlancet article reports wuhan virus not likely caused by natural recombination most papers reported that the 2019ncov is only 88 percent related to the closest bat coronavirus only 79 percent to sars and just 50 percent to mers professor roujian lu from the china key laboratory of biosafety national institute for viral disease control and prevention chinese center for disease control and prevention and his coauthors commented in a jan 30 paper in lancet that recombination is probably not the reason for the emergence of this virus\na jan 27 2020 study by 5 greek scientists analyzed the genetic relationships of 2019ncov and found that the new coronavirus provides a new lineage for almost half of its genome with no close genetic relationships to other viruses within the subgenus of sarbecovirus and has an unusual middle segment never seen before in any coronavirus all this indicates that 2019ncov is a brand new type of coronavirus the studys authors rejected the original hypothesis that 2019ncov originated from random natural mutations between different coronaviruses paraskevis et al 2020 biorxiv the article is a preprint made available through biorxiv and has not been peerreviewedvery high genetic identity in patients indicates a recent transmission to humans\n2019ncov is an rna virus rna viruses have high natural mutation rates the lancet study by lu et al states as a typical rna virus the average evolutionary rate for coronaviruses is roughly 104 nucleotide substitutions per site per year with mutations arising during every replication cycle it is therefore striking that the sequences of 2019ncov from different patients described here were almost identical with greater than 999 sequence identity this finding suggests that 2019ncov originated from one source within a very short period and detected relatively rapidlya jan 31 article by jon cohen in science said the longer a virus circulates in a human population the more time it has to develop mutations that differentiate strains in infected people and given that the 2019ncov sequences analyzed to date differ from each other by seven nucleotides at most this suggests it jumped into humans very recently but it remains a mystery which animal spread the virus to humansbat or huanan market source is not the whole story prof lu et al also discussed the natural host of the virus an early hypothesis had been the virus had passed to humans from bats sold at wuhans huanan seafood marketlu et al write first the outbreak was first reported in late december 2019 when most bat species in wuhan are hibernating second no bats were sold or found at the huanan seafood market whereas various nonaquatic animals including mammals were available for purchase third the sequence identity between 2019ncov and its close relatives batslcovzc45 and batslcovzxc21 was less than 90 hence batslcovzc45 and batslcovzxc21 are not direct ancestors of 2019ncovthe authors point out that while the 2019ncov causing the wuhan outbreak might have initially been hosted by bats it may have been transmitted to humans via other as yet unknown mechanismsthe science article said huanan marketplace played an early role in spreading 2019ncov but whether it was the origin of the outbreak remains uncertain many of the initially confirmed 2019ncov cases27 of the first 41 in one report 26 of 47 in anotherwere connected to the wuhan market but up to 45 including the earliest handful were not this raises the possibility that the initial jump into people happened elsewhere spike protein has 4 precise mutations without impacting its affinity for human receptor every virus must have a receptor to bind to human cells can only live inside human cells and must rely on human cells to replicate without these capabilities viruses found circulating in blood or tissue fluids are easily cleared by the human immune systemviruses enter human cells via specific surface protein channels the interaction of viral surface proteins binding to human cells is similar to how keys are used to open locksprevious studies have shown there are several receptors that different coronaviruses bind to such as angiotensinconverting enzyme 2 ace2 for sarscov ace2 receptors are abundantly present in human tissue especially along the epithelial linings of lung and small intestines provide routes of entry into cells for sarscovaccording to lu et als lancet paper there is a structural similarity between the receptorbinding domains of sarscov and 2019ncov 2019ncov spike protein sprotein is responsible for binding to cell receptors and is crucial for viral targeting of host tissue the molecular modelling data by lu et al suggests that despite the presence of amino acid mutations in the 2019ncov receptorbinding domain 2019ncov might use the ace2 receptor to gain entry into host cellson jan 21 2020 xintian xu et al from key laboratory of molecular virology and immunology institute pasteur of shanghai center for biosafety megascience chinese academy of sciences shanghai china published a paper entitled evolution of the novel coronavirus from the ongoing wuhan outbreak and modeling of its spike protein for risk of human transmission in science china life sciences this paper provided a more precise analysis of the sprotein of wuhan 2019ncov\nthe sprotein was known to usually have the most variable amino acid sequences compared to other gene domains from coronavirus however despite considerable genetics distance between the wuhan cov and the humaninfecting sarscov and the overall low homology of the wuhan cov sprotein to that of sarscov the wuhan cov sprotein had several patches of sequences in the receptor binding rbd domain with high homology to that of sarscov the residues at positions 442 472 479 487 and 491 in sarscov sprotein were reported to be at receptor complex interface and considered critical for crossspecies and humantohuman transmission of sarscov so to our surprise despite replacing four out of five important interface amino acid residues the wuhan cov sprotein was found to have a significant binding affinity to human ace2 the replacing residues at positions 442 472 479 and 487 in the wuhan cov sprotein did not alter the structural conformation the wuhan cov sprotein and sarscov sprotein shared an almost identical 3d structure in the rbd domain thus maintaining similar van der waals and electrostatic properties in the interaction interface thus the wuhan cov is still able to pose a significant public health risk for human transmission via the s proteinace2 binding pathwaywe know already that the novel 2019ncov is a different virus than sars it is understood that sprotein is highly variable it would be no surprise if the genetic sequence protein structure and even the function of 2019ncovs sprotein is different than that of the sars virus but how could this novel virus be so intelligent as to mutate precisely at selected sites while preserving its binding affinity to the human ace2 receptor how did the virus change just four amino acids of the sprotein did the virus know how to use clustered regularly interspaced short palindromic repeats crispr to make sure this would happenstunning finding sprotein insertions from hiv on jan 27 2020 prashant pradhan et al from the indian institute of technology published a paper entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gag which is currently being revised the corresponding author of this paper professor bishwajit kundu is specialized in protein genetic and genetic engineering and has published about 41 papers during the past 17 years on pubmed including highimpact biomedical journalsthe authors found 4 insertions in the spike glycoprotein s which are unique to the 2019ncov and are not present in other coronaviruses importantly amino acid residues in all 4 inserts have identity or similarity to those of hiv1 gp120 or hiv1 gag interestingly despite the inserts being discontinuous on the primary amino acid sequence 3dmodelling of the 2019ncov suggests that they converge to constitute the receptor binding site the finding of 4 unique inserts in the 2019ncov all of which have identitysimilarity to amino acid residues in key structural proteins of hiv1 is unlikely to be fortuitous in naturepradhan et al added to our surprise these sequence insertions were not only absent in sprotein of sars but were also not observed in any other member of the coronaviridae family this is startling as it is quite unlikely for a virus to have acquired such unique insertions naturally in a short duration of time unexpectedly all the insertions got aligned with human immunodeficiency virus1 hiv1 further analysis revealed that aligned sequences of hiv1 with 2019ncov were derived from surface glycoprotein gp120 amino acid sequence positions 404409 462467 136150 and from gag protein 366384 amino acid gag protein of hiv is involved in host membrane binding packaging of the virus and for the formation of viruslike particles gp120 plays crucial role in recognizing the host cell by binding to the primary receptor cd4 this binding induces structural rearrangements in gp120 creating a high affinity binding site for a chemokine coreceptor like cxcr4 andor ccr5it is well known that cd4 cells are essential to human immunity and are the direct targets of the human immunodeficiency virus or hiv hiv attaches to cd4 cells enters and infects them the virus then turns each infected cd4 cell into a factory creating more hiv virus until eventually all cd4 cells are destroyed people infected with hiv lose their immunity or defense system which is like a country losing the function of its armyif we take a closer look at the 4 insertions of the sprotein in figure 3 from pradhan et al 2020 biorxiv they are all located on the binding surface of the protein seemly designed to be able to bind to target cell receptor sites natural accidental mutation would be randomly distributed across the whole length of the sprotein it is highly unlikely that all of these insertions would coincidentally be manifested on the binding site of the sproteinthe article by pradhan et al is a preprint made available through biorxiv and has not been peerreviewedbiorxiv reports this paper has been withdrawn by its authors they intend to revise it in response to comments received from the research community on their technical approach and their interpretation of the results if you have any questions please contact the corresponding authorclinical evidence patients have cytokine storm with progressive decline in blood lymphocytes are pradhan et als findings right or wrong if correct the virus should be able to invade human cd4 t cells and result in corresponding clinical features a paper published in the lancet on jan 24 2020 by professor chaolin huang from jin yintan hospital wuhan china et al reviewing clinical features of patients infected with 2019 novel coronavirus in wuhan china supports pradhan et als conclusionshuang analyzed 41 hospital patients admitted with laboratoryconfirmed 2019ncov infection as of jan 2 2020 only 27 66 of 41 patients had been exposed to the huanan seafood market common symptoms at the onset of illness were fever 98 cough 76 and myalgia or fatigue 44 less common symptoms were sputum production 28 headache 8 hemoptysis 5 and diarrhea 3 dyspnoea developed in 55 median time from illness onset to dyspnoea 80 days 63 had lymphopenia all 41 patients had pneumonia with abnormal findings on chest ct complications included acute respiratory distress syndrome 29 rnaaemia 15 acute cardiac injury 12 and secondary infection 10 32 of patients were admitted to an icu and six 15 died compared with nonicu patients icu patients had higher plasma levels of il2 il7 il10 gscf ip10 mcp1 mip1a and tnfα the 2019ncov infection caused clusters of severe respiratory illness similar to severe acute respiratory syndrome coronavirus and was associated with icu admission and high mortalityalthough low white blood cell counts are common in viral infections it is surprising that 63 percent of all infected patients and 85 percent of those admitted to the icu had lymphopenia with lymphocyte counts 10 109l in a study on sars published march 2004 by cm chu et al in the journal thorax the mean lymphocyte count was often reported as normalon jan 22 2020 two clinical guidelines for the diagnosis and treatment of wuhan 2019ncov were posted on china websites one is quick guide for the diagnosis and treatment of new coronavirus pneumonia authored by the expert group of tongji hospital and the other is instructions for handling 2019 new coronavirus from the wuhan union hospital of tongji medical college of huazhong university of science and technology the first guideline clearly points out a progressive lymphocyte reduction while the second guideline highlights the importance of monitoring the absolute value of lymphocytestherefore the observed lymphocyte reduction must be of clinical significance in a certain proportion of patients cd4 positive t lymphocytes constitute a major fraction of all lymphocytes although not a routine test for patients with coronavirus infection perhaps monitoring cd4 cell counts would be helpful in 2019ncov patientsanother clinical feature of patients infected with 2019ncov is the high levels of serum cytokines and chemokines which is defined as a cytokine storm huang et al 2020 lancet this is consistent with the observation from pradhan et al that the 2019ncov sprotein inducing structural rearrangements in gp120 creating a highaffinity binding site for a chemokine coreceptor such as cxcr4 andor ccr5 it is well known that activating t cell surface receptors can cause a cytokine storm cytokine storms have the potential to create significant damage to organs and bodily tissues if a cytokine storm occurs in the lungs for example immune cells such as macrophages and fluid may trigger tissue damage that results in acute respiratory distress and possible deaththe united states centers for disease control stated there is no specific antiviral treatment recommended for 2019ncov infection but there are a few case reports of wuhan 2019ncov patients benefiting from empiric treatment with antihiv drugs such as lopinavir more such detailed clinical experience needs to be sharedconclusion there are many scientific questions regarding this novel virus based on recently published scientific papers this new coronavirus has unprecedented virologic features that suggest genetic engineering may have been involved in its creation the virus presents with severe clinical features which make it a significant threat it is imperative for scientists physicians and people all over the world including governments and public health authorities to make every effort to investigate this mysterious and suspicious virus in order to elucidate its origin and to better enable populations in china and around the world to respond", + "https://www.theepochtimes.com/", + "FAKE", + 0.09279191790352505, + 2523 + ], + [ + "Big Pharma Beware: Dr. Montagnier Shines New Light on COVID-19 and The Future of Medicine", + "this april 16th dr luc montagnier became a household name around the world this occurred as the controversial virologist decided to publicly state his support for the theory that covid19 is indeed a laboratorygenerated creation and not a naturally occurring effect of viral evolutionreferring to a study published at the kusama school of biology in new dehli on january 31st montagnier the 2008 nobel prize winner for his 1983 discovery of the hiv virus made the point that the specific occurrence of hiv rna viral segments spliced surgically within the covid19 genome could not have originated naturally and he described it in the following wordswe have carefully analyzed the description of the genome of this rna virus we werent the first a group of indian researchers tried to publish a study showing that the complete genome of this virus that has within the sequences of another virus that of hivwhile the indian team was induced to retract their publication under immense pressure from the mainstream medical establishment which never bothered to seriously refute the content of the studys research but rather used the randommutationmakesanythingpossible argument montagnier stated scientific truth always emergesnot china montagnier misdiagnoses the culpritmontagniers political ignorance became all too clear when he was asked who the culprit could possibly beby asserting his belief that chinas bsl4 lab in wuhan was the source montagnier has fallen into a trap set by angloamerican intelligence circles which have been promoting a military confrontation between the usa and china for a very long timenow even though montagnier denies that china released this virus with malicious intent unlike many fanatical droves of neoconservatives currently itching for war the wuhan lab origin hypothesis completely ignores the reality of the pentagons globally extended 25 bioweapons laboratories which have openly created novel coronaviruses including varieties that arose in bats as journalist whitney webbs remarkable february 2020 paper demonstrated\neven though a 20142017 temporary ban on dualuse funding was imposed onto americas bioweapons research nothing prevented this work from occurring internationally or even covertly within the 11 military labs on american soil itself and tied to the same fort detrick that was shut down in july 2019 under suspicious circumstances as i pointed out in my previous paper the project for a new american century 911 and bioweapons over 50 billion has been spent on bioweapons research since 2001 which the project for a new american century manifesto claimed would play a major role in the arsenal of 21st century warfare stating advanced forms of biological warfare that can target specific genotypes may transform biological warfare from the realm of terror to a politically useful toolluc montagniers wave therapy quackery or brilliancethe most powerful aspect of montagniers april 16th intervention into world politics in my view is not really found in his support for the laboratoryorigins theory but rather in the scientists often overlooked proposition for an international crash program in something called electromagnetic wave therapy rather than investing in vaccines montagnier has explained that it were much wiser for nations of the world to launch a crash project into a very different approach to viral treatments than is currently common in polite society sayingi think we can make interference waves which are behind the rna sequences that can eliminate those sequences with waves and consequently stop the pandemicbefore brushing this off as quackery as so many are wont to do one should keep in mind that president trump himself has indicated his interest in montagniers approach in his april 23rd briefing telling reporterssupposing we hit the body with a tremendous whether its ultraviolet or just very powerful light and i think you said that hasnt been checked but you are going to test it and then i said supposing you brought the light inside the body which you can do either through the skin or in some other way and i think you said you are going to test itwhile trump has been vilely attacked as unscientific for these utterances it is only due to the vast ignorance of montagniers incredible discoveries into the electromagnetic properties of life that such mockery can go unchallenged montagniers innovations into bleaching therapy which trump referenced in the same speech are also much more complex than mainstream detractors assume and has nothing to do with simply injectingdisinfectants into the blood stream these therapies are highly interconnected with the electromagnetic waves emitted by certain types of bacteria which montagnier has discovered to be the most likely driving mechanism to many of the diseases both chronic and acute plaguing humanity more will be said on that belowwhat is optical biophysics and what did montagnier discoveroptical biophysics is the study of the electromagnetic properties of the physics of life this means paying attention to the light emissions and absorption frequencies from cells dna and molecules of organic matter how these interface with water making up over 75 of a human body and moderated by the nested array of magnetic fields located on the quantum level and stretching up to the galactic levelnot to discount the biochemical nature of life which is hegemonic in the health science realm the optical biophysician asks which of these is primary in growth replication and division of labor of individual cells or entire species of organisms is it the chemical attributes of living matter or the electromagnetic properties\nlet me explain the paradox a bit morethere are approximately 40 trillion highly differentiated cells in the average human body each performing very specific functions and requiring an immense field of coherence and intercommunication every second approximately 10 million of those cells die to be replaced by 10 million new cells being born many of those cells are made up of bacteria and much of the dna and rna within those cells is made up of viruses mostly dormant but which can be activateddeactivated by a variety of methods both chemical and electromagneticheres the big questionhow might this complex system be maintained by chemical processes alone either over the course of a day month or an entire lifetimethe simple physics of motion of enzymes which carry information in the body from one location to another simply doesnt come close to accounting for the information coordination required among all parts this is where montagniers research comes inafter winning the 2008 nobel prize dr montagnier published a revolutionary yet heretical 2010 paper called dna waves and water which took the medical community by storm in this paper montagnier demonstrated how low frequency electromagnetic radiation within the radio wave part of the spectrum was emitted from bacterial and viral dna and how said light was able to both organize water and transmit information the results of his experiments were showcased wonderfully in this 8 min videousing a photoamplifying device invented by dr jacques benveniste in the 1980s to capture the ultra low light emissions from cells montagnier filtered out all particles of bacterial dna from a tube of water and discovered that the postfiltered solutions containing no material particles continued to emit ultra low frequency waves this became more fascinating when montagnier showed that under specific conditions of a 7 hz background field the same as the schumann resonance which naturally occurs between the earths surface and the ionosphere the nonemitting tube of water that had never received organic material could be induced to emit frequencies when placed in close proximity with the emitting tube even more interesting is that when base proteins nucleotides and polymers building blocks of dna were put into the pure water near perfect clones of the original dna were formeddr montagnier and his team hypothesized that the only way for this to happen was if the dnas blueprint was somehow imprinted into the very structure of water itself resulting in a form of water memory that had earlier been pioneered by jacques benveniste the results of which are showcased in this incredible 2014 documentary water memoryjust as benveniste suffered one of the most ugly witch hunts in modern times led in large measure by nature magazine in 1988 montagniers nobel prize did not protect him from a similar fate as an international slander campaign has followed him over the past 10 years of his life nearly 40 nobel prize winners have signed a petition denouncing montagnier for his heresy and the great scientist was forced to even flee europe to escape what he described as a culture of intellectual terror in response to this slander montagnier stated to lacroix magazine im used to attacks from these academics who are just retired bureaucrats closed off from all innovation i have the scientific proofs of what i saydescribing the greatest challenges to advancing this research montagnier statedwe have chosen to work with the private sector because no funds could come from public institutions the benveniste case has made it so that anyone who takes an interest in the memory of water is considered i mean it smells of sulphur its hellcasting montagniers research in a new lightin a 2011 interview dr montagnier recapitulated the consequences of his discoveriesthe existence of a harmonic signal emanating from dna can help to resolve longstanding questions about cell development for example how the embryo is able to make its manifold transformations as if guided by an external field if dna can communicate its essential information to water by radio frequency then nonmaterial structures will exist within the watery environment of the living organism some of them hiding disease signals and others involved in the healthy development of the organismwith these insights in mind montagnier has discovered that many of the frequencies of em emissions from a wide variety of microbial dna is also found in the blood plasmas of patients suffering from influenza a hepatitis c and even many neurological diseases not commonly thought of as bacteriainfluenced such as parkinsons multiple sclerosis rheumathoid arthritis and alzheimers in recent years montagniers teams even found certain signals in the blood plasmas of people with autism and several varieties of cancersover a dozen french doctors have taken montagniers ideas seriously enough to prescribe antibiotics to treat autism over the course of six years and in opposition to conventional theories have found that amidst 240 patients treated 4 out of 5 saw their symptoms either dramatically regress or disappear completely\nthese results imply again that certain hardtodetect species of light emitting microbes are closer to the cause of these ills than the modern pharmaceutical industry would like to admita new domain of thinking why big pharma should be afraidas the filmed 2014 experiment demonstrated montagnier went even further to demonstrate that the frequencies of wave emissions within a filtrate located in a french laboratory can be recorded and emailed to another laboratory in italy where that same harmonic recording was infused into tubes of nonemitting water causing the italian tubes to slowly begin emitting signals these dna frequencies were then able to structure the italian water tubes from the parent source a thousand miles away resulting in a 98 exact dna replicastanding as we are on the cusp of so many exciting breakthroughs in medical science we should ask what could these results mean for the multibillion dollar pharmaceutical industrial complex which relies on keeping the world locked into a practice of chemical drugs and vaccinesspeaking to this point montagnier statedthe day that we admit that signals can have tangible effects we will use them from that moment on we will be able to treat patients with waves therefore its a new domain of medicine that people fear of course especially the pharmaceutical industry one day we will be able to treat cancers using frequency waves\nmontagniers friend and collaborator marc henry a professor of chemistry and quantum mechanics at the university of strasbourg statedif we treat with frequencies and not with medicines it becomes extremely cost effective regarding the amount of money spent we spend a lot of money to find the frequencies but once they have been found it costs nothing to treatwhether produced in a lab as montagnier asserts or having appeared naturally as nature magazine asserts the fact remains that the current coronavirus pandemic has accelerated a collapse of the world financial system and forced the leaders of the world to discuss the reality of a needed new paradigm and new world economic order whether that new system will be driven by pharmaceutical cartels and sociopathic bankers running global health policy for a technocratic elite of social engineers or whether it will be driven by nation states shaping the terms of that new system around human needs remains to be seen\nif nation states manage to stay in the drivers seat of this new system then it will have to be driven by certain fundamental principles of healthcare for all science practice reform and broader politicaleconomic reform whereby the sacredness of human life is placed above all considerations of monetary profit in this light such crash programs into long term projects in space science asteroid defense and lunarmars development will be as necessary in the astrophysical domain as crash programs in fusion energy will be in the atomic domain uniting both worlds is the domain of life sciences that intersects the electromagnetic properties of atoms cells and dna with the large scale electromagnetic properties of the earth sun and galaxy as a whole", + "https://www.strategic-culture.org/", + "FAKE", + 0.1243071236412945, + 2219 + ], + [ + "I do not believe this is accidental\": expert on the origin of coronavirus", + "topical comments on the state of the chinese economy the consequences of coronavirus and not only in the silk road news program on sputnik belarus radio\nwho represents china at the economic forum in davos how much chinese tourists have brought money to russia and how trump is going to fight russian and chinese anchor children in the radio studio sputnik belarus we are talking with expert from the beijing academy of social sciences dmitry belyakovin general its worth understanding the origin of this virus i dont believe in the randomness of the origin of the coronavirus the expert says the chinese guest in davos this year was the former head of the city committee of shanghai the current deputy prime minister han zheng according to sputniks interlocutor this suggests that the advocates of globalization representatives of the shanghai clan are trying to regain slightly lost positions that were previously seriously shaken by xi jinping and the new komsomolets liu hetoday it is difficult to say that any of the chinese clans is gaining special weight there is a constant game an invisible struggle for influence it is constant and characteristic of powerful powers such as china belyakov argues according to the expert all internal political processes are connected with the upcoming american elections the result of which as practice shows seriously affects all world political processestrumps position which will have to overcome the impeachment attempt has largely influenced the fate of representatives of large chinese business whose wives went to give birth to the united states where their children were granted american citizenship by birth hence the term anchor children subsequently these new citizens the united states could safely ensure the arrival of its closest relatives in the country so trump wants to end this practice predicts belyakovthe program silk road news with the participation of an expert from the beijing academy of social sciences dmitry belyakov see sputnik belarus", + "https://sputnik.by/", + "FAKE", + 0.02243867243867244, + 321 + ], + [ + "THE CORONAVIRUS IS A PRETEXT FOR THE GLOBAL ELITES’ AMBITIONS TO REDUCE WORLD POPULATION", + "population reduction is among the goals of the elite within the wef the rockefellers rothschilds morgens and a few more the objective fewer people a small elite can live longer and better with the reduced and limited resources mother earth is generously offering", + "https://southfront.org/", + "FAKE", + 0.08784786641929498, + 43 + ], + [ + "Dr. Vladimir Zelenko has now treated 699 coronavirus patients with 100% success using Hydroxychloroquine Sulfate, Zinc and Z-Pak", + "april 11 update a new research study reveals that covid19 attacks hemoglobin in red blood cells rendering it incapable of transporting oxygen in the conclusion researchers found that chloroquine could prevent the virus attacking the hemoglobin in the red blood cellslast wednesday we published the success story from dr vladimir zelenko a boardcertified family practitioner in new york after he successfully treated 350 coronavirus patients with 100 percent success using a cocktail of drugs hydroxychloroquine in combination with azithromycin zpak an antibiotic to treat secondary infections and zinc sulfate dr zelenko said he saw the symptom of shortness of breath resolved within four to six hours after treatment hydroxychloroquine is now being used worldwide according to a map from french dr didier raoult in the meantime scientists at university of pittsburgh school of medicine believe theyve found potential vaccine for coronavirusnow dr zelenko provides updates on the treatment after he successfully treated 699 covid19 patients in new york in an exclusive interview with former new york mayor rudy giuliani dr vladmir zelenko shares the results of his latest study which showed that out of his 699 patients treated zero patients died zero patients intubated and four hospitalizationsdr zelenko said the whole treatment costs only 20 over a period of 5 days with 100 success he defines success as not to die dr zelenko first posted his facebook video message last week calling on president trump to advise the country that they should be taking this medicationthere are many other success stories about hydroxychloroquine across the country last week dr william grace an oncologist at lenox hill hospital in new york city said theyve not had a single death in their hospital because of hydroxychloroquine thanks to hydroxychloroquine we have not had a death in our hospital dr grace saidalso in a study conducted by the national institute of health nih also confirmed some of dr dr zelenkos findings the study by nih showed that zinc supplementation decreases the morbidity of lower respiratory tract infection in pediatric patients in the developing world a second study also conducted by nih titled in vitro antiviral activity and projection of optimized dosing design of hydroxychloroquine for the treatment of severe acute respiratory syndrome coronavirus 2 sarscov2 also showed hydroxychloroquine to be more potent in killing the virus off in vitro in the test tube and not in the bodybelow is a video of his latest interview explaining the success of the treatment", + "https://techstartups.com/", + "FAKE", + 0.21815398886827456, + 408 + ], + [ + "Here’s How Everyone Can Avoid Getting The Coronavirus", + "urgent practical advice for coronavirus prevention and holistic remediation coronavirus precautionary measures and health tipsthe coronavirus coachthe rapidly unfolding coronavirus pandemic should not be underestimated given what is known thus far this highly contagious virus ought to be taken seriously by everyone hence every person on the planet is encouraged to get their house in order especially the medicine cabinet so that they are ready for any eventualityits always best to take these proven preventive measures sooner than later where it concerns any type of viral infection by doing so even the various coronavirus infections can be avoided folks who can sequester themselves in their home offices andor significantly reduce their exposure to public places always fare much better catching the corona is by no means a foregone conclusion for any individuallist of basic things to dofirst start to eat right lots of garlic and ginger and turmeric and curried foods lean toward hot soups stews and broths particularly at dinner time for the rest of the flu season avoid cold foods from the fridge especially yoghurt sandwich spreads and cold drinks add just a little boiling water to quickly warm up juices as well as nut or seed milks frozen foods like ice cream are strictly forbidden cook all vegetables much softer than usual best to go vegan if possible otherwise all animal meats ought to be very well cooked and eaten infrequentlydrink flu tea especially during the cold season the essential ingredients are ginger cayenne pepper lemon and honey but dont heat the lemon or the honeyadd them after the fresh ginger tea is brewed also drink plenty of warm fluids specifically herbal teas that are decongestants and expectorants herbal teas that have antimicrobial and immunestimulating properties are important when viral infection symptoms are present\nbe regular about replenishing the diminished intestinal flora with probiotics beverage and foodbased forms are much preferred to nutraceuticals eg capsules for those with lactose intolerance andor casein allergies acquire some coconut cashew or almond yogurt or kefir let these warm up first before eating also consider probiotic rectal implants when significant flora depletion is suspectedbe sure to stay away from mucusproducing foods and beverages avoid dairy in particular especially cheese milk and ice cream also avoid wheat white sugar red meat eggs soy alcohol artificially sweetened sodas desserts in general etc this is a great time to minimize the intake of processed foods packaged food canned food frozen food and especially junk food and fast food corporate food in supermarkets ought to be reduced fresh produce whole grains organic ingredients etc are much healthier choices the shorter the distance from farm to table the betterif restaurant food cannot be avoided be careful to only order the most cooked items on the menu raw foods and dairy products are quite exposed to environmental pathogens as well as highly vulnerable to kitchen mismanagement practices and other types of contamination dont eat out unless you must and go organic fresh locallygrown and whats in season in your own kitchen remember the cure is in the kitchenstart to transition your diet from acidifying foods to alkalizing foods so that you move to approx 75 alkaline and 25 acidic especially cut down on constipating foods beverages and nutraceuticals such as mineral supplements with too much ironregular exercise and stretching power walking and rebounding hatha yoga and pilates tai chi and qigong are all great to do get as much exposure to sunlight as possible for natural vitamin d production sunlight is said to be the best of disinfectants so the coronavirus doesnt like it a 20 to 30 minute aerobic walk in nature is the single best way to cleanse the entire lymphatic systema must1 dont power walk outside when the skies are heavily chemtrailed youll feel the health consequencesthe respiratory system must be clear and clean strong and efficient since this virus targets the mucus membranes in the lungs and sinuses use a neti pot regularly during this flu season with 14 tsp of sea salt dissolved in bodytemperature distilled water have a saline nasal rinse kit on hand such as neilmeds sinus rinse breathwork as simple as daily deep breathing outside in the fresh air is highly recommended so are certain pranayama practices coherent breathing is particularly effective in activating the bodys natural immune responsetry to sleep well between 1000 pm and 400 am every night keep all technology out of the bedroom including smartphones and tvs remove all light sources cover the windows and use an air purifier that generates white noise to cover up distracting nighttime soundschange all it devices in the home from wireless and wifi to wired connections even keyboards and mice ought to be hardwired those living or working in a 5g environment ought to eliminate all wifi completelyuse wired landline phones whenever possible not smartphones there are also free internetbased phone lines available that are easily hardwired replace the smartphone with an oldfashioned 4g flip phone wuhan city china was designated a special 5g demonstration zone in the months prior to the coronavirus outbreakassemble a first aid kit with colloidal silver or silver hydrosol zinc supplements turmeric power or extract vitamin c and vitamin d have a calmagpot mineral supplement handy as well as some seleniumacquire some antimicrobial essential oils especially oils of oregano basil thyme peppermint get some thieves essential oil and an atomizer to diffuse in the ambient environment particularly the bedroom before sleepalso have olive leaf extract pau darco tea and an echinacea goldenseal combo in the medicine cabinet buy some grapefruit seed extract in liquid form for all sorts of medicinal and body care applicationskeep some foodgrade hydrogen peroxide in the fridge in the event that lowdose hp therapy becomes necessary lugols iodine is an absolute must when fighting any coronavirus and especially effective for cleaning all produce buy some bachp homeopathic remedy to quickly subdue any bacterial infections that can weaken immunity purchase link herehave a good supply of sea salt available for gargling as well as rock salt for cooking pink himalayan salt is especially good for medicinal use manuka honey has strong antibacterial and antiviral properties as well as antiinflammatory and antioxidant benefitsmouth care should include daily tongue scraping first thing in the morning followed by a sovereign silver mouth bath hold 1 tbsp of silver in mouth for 20 to 30 minutes after teethbrushingthen spit it out and thoroughly rinse mouth with water for us health nuts this can be followed with 15 t0 20 minutes of oil pulling by swishing around in the mouth 1 tbsp of either sesame or coconut oil the toothbrush should be washed with peppermint soap after each use and soaked in hydrogen peroxide at least once a weekfor those who get really sick or really are ambitious do a coffee enema theres no quicker way to cleanse and refresh the liver blood moreover performing a gallbladder flush liver cleanse is an effective way to decongest the liver which then enhances the detoxification pathways during sickness disease or injury\ntake a crash course in strengthening your immune system at this website the health coach for those who are chronically experiencing any form of immunosuppression its imperative to do an immune system checkup particularly for those folks who have suffered from any of the chronic degenerative diseases or third millennium maladies or alphabet soup ailments eg cfs ebv aids hiv copd ms als lupus lyme morgellons fibromyalgia rheumatoid arthritis and other autoimmune disorders conducting a systematic immune system audit is a must whereas a strong immune response is the best defense against the coronavirus even a compromised immune system can be quickly strengthened for example an infected root canal or cavitation site can be properly remediated thereby removing a constant burden from the immune systemwash hands thoroughly for at least 20 to 30 seconds with an antimicrobial soap after being out in public but especially after handling all mail and parcels raw food items and food packaging such as boxes cans cartons bottles plastic containers as well as beverage cupsregularly sanitize all door handles and faucet handles as well as vehicle door handles and the steering wheel be sure to keep ethyl alcohol and distilled white vinegar on hand to disinfect contaminated surfaces especially in the kitchen and bathrooms there are individually wrapped hand wipes which use alcohol to kill pathogenic microorganisms on contact to keep in the vehicle as well as hand sanitizers that do the same for the home and office5 above all avoid touching your eyes ears nose or mouth your head for that matter with unwashed handsthis particular strain of coronavirus could develop into a serious situation ie pandemic which will then require great vigilance and resolve be alert to any unusual symptoms in the home and workplace for yourself and others stay away from any individual who is presenting any type of flu symptomsavoid all public places when practical for the rest of this flu season if you are the family caregiver or a healthcare provider take all the extra precautionary measures to avoid exposure wear the right type of hospitalgrade mask rated as n95 antiviral wash hands regularly with antimicrobial soap keep a safe distance when appropriate etc disinfect sanitize and cleanse whatever wherever and whenever necessary the kitchen and bathrooms need to be cleaner than ever since thats where most illness and disease begindont travel unnecessarily especially avoid airplanes trains buses subways and cruise ships at least for the rest of this flu season minimize attendance at family gatherings office parties restaurants etc skip all the conventions conferences forums seminars and other large meeting places this year particularly those with overnight stayslastly stay out of fear and live life with courage during these challenging times have faith in the higher power and know that everything always happens for the best pray for protection for yourself your family and friends and all of humanity", + "https://web.archive.org/", + "FAKE", + 0.17203849807887076, + 1653 + ], + [ + "Bill Gates Personally Profits From A COVID-19 Vaccine And He Owns A Company That Will Put A Tracking Microchip In You", + "how are more americans not completely outraged about what is going on in our countrydoes no one else find it weird that billgates an unelected official a computer guy with no medical degree seems to be the worlds leading health expert on the coronavirus telling everyone what we need to do when its safe to go back to normalits a little odd that the same guy who led event 201 just a few weeks before the first outbreak in china where they had an exercise preparing planning for a pandemic outbreak can you guess what virus they chose for this hypothetical exercise if you guessed the coronavirus you must be a psychicthis is the same guy thats going to profit the most from this virus with his vaccines hes pushing on everyone i can guarantee you right now they will make this a seasonal virus just like the flu so they can profit off the vaccines every yearin the past week hes been making the media rounds on cnn other shows saying we can all gather again once weve all been vaccinated in another interview he said that you will need to provide a vaccination certificate to work travelhe also has a company called id 2020 which will track everyone through microchips the size of a grain of rice that they inject into you with a needle it will track everywhere you go everything you do but please dont take my word for it google id 2020 this is not the future they have already done it in some countries even some workplacesmight i also add that this diabolical man is also the largest donor of the world health organization think about that folks there is an agenda", + "Facebook", + "FAKE", + 0.06214985994397759, + 288 + ], + [ + null, + "breathing deeply for just a few minutes in any of these hot locations will kill a high percentage of any coronavirus that happens to be invading the upper respiratory system and a second or third exposure about an hour apart will kill the rest no desert or sauna available no problem the common widely available handheld blow dryer used for drying hair contains a heating element and a fan that instantly deliver forced hot air temperatures that will kill coronavirus even faster", + "YouTube", + "FAKE", + 0.05076923076923076, + 82 + ], + [ + null, + "2019 novel coronavirus contains pshuttlesn sequence proving laboratory origin", + "infowars.com", + "FAKE", + 0, + 9 + ], + [ + "What 'The Expanse' Tells Us About The COVID-19 Pandemic And Gain-Of-Function Research", + "what the expanse tells us about the covid19 pandemic and gainoffunction research", + "https://www.zerohedge.com/", + "FAKE", + 0, + 12 + ], + [ + "Coronavirus Contains \"HIV Insertions\", Stoking Fears Over Artificially Created Bioweapon", + "over the past few days the mainstream press has vigorously pushed back against a theory about the origins of the coronavirus that has now infected as many as 70000 people in wuhan alone depending on whom you believe the theory is that china obtained the coronavirus via a canadian research program and started molding it into a bioweapon at the institute of virology in wuhan politifact pointed the finger at zero hedge in particular though the story was widely shared across independentleaning mediathe theory is that the virus which was developed by infectious disease experts may have originated in the wuhanbased lab of dr peng zhou chinas preeminent researcher of bat immune systems specifically in how their immune systems adapt to the presence of viruses like coronavirus and other destructive viruses somehow the virus escaped from the lab and the hunan fish market where the virus supposedly originated is merely a rusenow a respected epidemiologist who recently caught flack for claiming in a twitter threat that the virus appeared to be much more contagious than initially believed is pointing out irregularities in the viruss genome that suggests it might have been genetically engineered for the purposes of a weapon and not just any weapon but the deadliest one of allin uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gag indian researchers are baffled by segments of the viruss rna that have no relation to other coronaviruses like sars and instead appear to be closer to hiv the virus even responds to treatment by hiv medicationsfor those pressed for time here are the key findings from the paper which first focuses on the unique nature of 2019ncov and then observe four amino acid sequences in the wuhan coronavirus which are homologous to amino acid sequences in hiv1in addition other recent studies have linked the 2019ncov to sars cov we therefore compared the spike glycoprotein sequences of the 2019ncov to that of the sars cov ncbi accession number ay3905561 on careful examination of the sequence alignment we found that the 2019 ncov spike glycoprotein contains 4 insertions fig2 to further investigate if these inserts are present in any other corona virus we performed a multiple sequence alignment of the spike glycoprotein amino acid sequences of all available coronaviruses n55 refer table sfile1 in ncbi refseq ncbinlmnihgov this includes one sequence of 2019ncovfigs1 we found that these 4 insertions inserts 1 2 3 and 4 are unique to 2019ncov and are not present in other coronaviruses analyzed another group from china had documented three insertions comparing fewer spike glycoprotein sequences of coronaviruses another group from china had documented three insertions comparing fewer spike glycoprotein sequences of coronaviruses zhou et al 2020we then translated the aligned genome and found that these inserts are present in all wuhan 2019ncov viruses except the 2019ncov virus of bat as a host figs4 intrigued by the 4 highly conserved inserts unique to 2019ncov we wanted to understand their origin for this purpose we used the 2019ncov local alignment with each insert as query against all virus genomes and considered hits with 100 sequence coverage surprisingly each of the four inserts aligned with short segments of the human immunodeficiency virus1 hiv1 proteins the amino acid positions of the inserts in 2019ncov and the corresponding residues in hiv1 gp120 and hiv1 gag are shown in table 1the first 3 inserts insert 12 and 3 aligned to short segments of amino acid residues in hiv1 gp120 the insert 4 aligned to hiv1 gag the insert 1 6 amino acid residues and insert 2 6 amino acid residues in the spike glycoprotein of 2019ncov are 100 identical to the residues mapped to hiv1 gp120 the insert 3 12 amino acid residues in 2019 ncov maps to hiv1 gp120 with gaps see table 1 the insert 4 8 amino acid residues maps to hiv1 gag with gapswhy do the authors think the virus may be manmade because when looking at the above insertions which are not present in any of the closest coronavirus families it is quite unlikely for a virus to have acquired such unique insertions naturally in a short duration of time instead they can be found in cell identification and membrane binding proteins located in the hiv genomesince the s protein of 2019ncov shares closest ancestry with sars gz02 the sequence coding for spike proteins of these two viruses were compared using multialin software we found four new insertions in the protein of 2019ncov gtngtkr is1 hknnks is2 gdsssg is3 and qtnsprra is4 figure 2 to our surprise these sequence insertions were not only absent in s protein of sars but were also not observed in any other member of the coronaviridae family supplementary figure this is startling as it is quite unlikely for a virus to have acquired such unique insertions naturally in a short duration of time\nthe insertions were observed to be present in all the genomic sequences of 2019ncov virus available from the recent clinical isolates to know the source of these insertions in 2019ncov a local alignment was done with blastp using these insertions as query with all virus genome unexpectedly all the insertions got aligned with human immunodeficiency virus1 hiv1 further analysis revealed that aligned sequences of hiv1 with 2019ncov were derived from surface glycoprotein gp120 amino acid sequence positions 404409 462467 136150 and from gag protein 366384 amino acid table 1 gag protein of hiv is involved in host membrane binding packaging of the virus and for the formation of viruslike particles gp120 plays crucial role in recognizing the host cell by binding to the primary receptor cd4this binding induces structural rearrangements in gp120 creating a high affinity binding site for a chemokine coreceptor like cxcr4 andor ccr5\nand some visuals which lead the paper authors to conclude that this structural change might have also increased the range of host cells that 2019ncov can infect3d modelling of the protein structure displayed that these insertions are present at the binding site of 2019ncov due to the presence of gp120 motifs in 2019ncov spike glycoprotein at its binding domain we propose that these motif insertions could have provided an enhanced affinity towards host cell receptors further this structural change might have also increased the range of host cells that 2019ncov can infect to the best of our knowledge the function of these motifs is still not clear in hiv and need to be explored the exchange of genetic material among the viruses is well known and such critical exchange highlights the risk and the need to investigate the relations between seemingly unrelated virus familiesa good recap of the findings was provided by dr feiglding who started his explanatory thread by pointing out that the transmission rate outside china has surpassed the rate inside chinabut the smoking gun in this case are pieces of the viruss genetic code that indian researchers led by prashant pradhan at the indian institute of technology found may have been embedded from hiv which belongs to an entirely different family of viruses", + "https://www.zerohedge.com/", + "FAKE", + 0.055528198653198656, + 1177 + ], + [ + "Frank Plummer – Canadian Scientist Key To Coronavirus Investigation Assassinated In Africa?", + "in a very strage turn of events renowned scientist frank plummer who received saudi sars coronavirus sample and was working on coronavirus hiv vaccine in the winnipeg based canadian lab from where the virus was smuggled by chinese biowarfare agents and weaponized as revealed in greatgameindia investigation has died in mysterious conditions frank plummer was the key to the chinese biological espionage case at winnipegs national microbiology laboratory\nexclusive coronavirus bioweapon how china stole coronavirus from canada and weaponized it watch here visualizing the secret history of coronavirus\nwatch the exclusive interview of bioweapons expert dr francis boyle on coronavirus biological warfare blocked by the deep state according to cbc plummer 67 was in kenya where he was a keynote speaker at the annual meeting of the university of nairobis collaborative centre for research and training in hivaidsstis\ndr larry gelmon who helped set up that meeting said plummer collapsed and was taken to hospital in nairobi where he was pronounced dead on arrival\nno confirmed cause of death has yet been releasedplummer was born and raised in winnipeg where he headed up canadas national microbiology laboratory for several yearshe was also involved in an innovative research partnership between the university of manitoba and the university of nairobi established before the world was very aware of hivaidshe helped to identify a lot of the key factors that are involved in hiv transmission in the early days said keith fowke a professor in the medical microbiology and infectious diseases department at the university of manitobahe was so hopeful that he was on the path that would end with discovery of the hiv vaccine the road he had started down almost 30 years ago said plummers colleague dr allan ronaldwhat is not mentioned in the cbc report however is that plummer worked in the same national microbiology laboratory nml in winnipeg canada from where chinese biowarfare agent xiangguo qiu and her colleagues smuggled sars coronavirus to chinas wuhan institute of virology where it is believed to have been weaponized and leakedinfact as greatgameindia reported in our exclusive report on coronavirus bioweapon as scientific director frank plummer was the one who acquired the sars coronavirus sample of the saudi patient at the nml winnipeg lab from ron fouchier a leading virologist at the erasmus medical center emc in rotterdam the netherlands who was sent the virus by egyptian virologist dr ali mohamed zaki who isolated and identified a previously unknown type of coronavirus from the saudi patients lungsfouchier sequenced the virus from a sample sent by zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to test for distinguishing features of a number of known coronaviruses known to infect humansthis coronavirus sample arrived at canadas nml winnipeg facility on may 4 2013 from the dutch lab received by frank plummer the canadian lab grew up stocks of the virus and used it to assess diagnostic tests being used in canada winnipeg scientists worked to see which animal species can be infected with the new virusresearch was done in conjunction with the canadian food inspection agencys national lab the national centre for foreign animal diseases which is housed in the same complex as the national microbiology laboratorythis winnipeg based canadian lab was targeted by chinese agents in what could be termed as biological espionage the viruses was reportedly stolen from the canadian lab by chinese biowarfare agent xiangguo qiu and her colleagues and smuggled to none other than the wuhan institute of virology where the virus is believed to be weaponized and leakedfurther frank plummer was also working on hiv vaccine and interesting recently published study be indian scientists found hivlike injections in wuhan coronavirus the key that made the jump to people possible the indian scientists came under massive online criticism by social media experts and were forced to withdraw their study in retaliation of which now the indian authorities have opened an investigation against chinas wuhan institute of virology although it should be noted that now china has started using hiv vaccine to cure coronavirusfrank plummer was the key to the entire investigation on the origins of coronavirus bioweapon but will the canadian government open an investigation into this matter unlike their american counterparts who have charged the chinese biowarfare agents trying to smuggle deadly viruses from harvard university the deatils of the canadian investigation on the winnipeg biological espionage case is shrouded in secrecy", + "https://greatgameindia.com/", + "FAKE", + -0.010020941118502097, + 735 + ], + [ + "Planet Coronavirus: Survival, Resistance and Regeneration", + "there are times in history when sudden eventsnatural disasters economic collapses pandemics wars famineschange everything they change politics they change economics and they change public opinion in drastic ways many social movement analysts call these trigger events during a trigger event things that were previously unimaginable quickly become reality as the social and political map is remade coronavirus is a historic trigger eventand it needs a movement to respond paul englerthe frightening covid19 pandemic slowly but surely infecting millions fueling an economic and political meltdown and metastasizing in the midst of a global climate emergency has pushed a critical mass of us all to the brinkwords can barely convey our waking nightmare or fully expose the cabal of monsters and the degenerate businessasusual practices that have brought on this disaster like a horror movie rerun every night i wake uphow did we ever let this happen what can we do to protect ourselves and others can we rise to the occasion and organize a massive grassroots rising head off disaster and take advantage of this tragic trigger momentcan we deal with the degenerative practices that have unleashed this megacrisis and bring to heel the perpetrators the greedy elite who created andor abetted this catastropheas an international chorus of climate environmental and political leaders warned this week its now or never to harness our fears build hope and drive action to respond to the human health economic climate and biodiversity crisis with solutions that build resilient societies on the longer termprotect yourself and others take control of your health force governments to provide necessary resourceswe must protect ourselves and others especially the most vulnerable solidarity and common sense dictate that we change what up until now has been considered normal behaviorin north america and all over the world we need to maintain and step up the social hygiene distancing and quarantine procedures that are absolutely necessary to reduce infections to flatten the curve of a disease 10 times more lethal and three times more infective than recent flu epidemicsbut to flatten the curve we need to demand that our governments put money in the hands of workers and their families and small businesses so that they can afford to stay home for months or for as long as it takeswe must provide emergency funds and resources to hospitals healthcare workers and clinics so they can test separate isolate and treat those infected and exposed to the coronavirus constant handwashing and spatial distancing are absolutely necessary even if were healthy with strict spatial isolation if weve been exposed to those carrying the virus stay away from elderly people and those with fragile healthmy extended family and our activist staff and networks have suspended facetoface contact and are using email text messages shared photos and zoom calls to stay in touchbeyond spatial distancing we all need to strengthen our immune systems and preserve our physical and mental health for the challenges that lie ahead even though weve all heard it before now is the time for action now is the time as natural health leader dr joseph mercola tells us to take control of your health\nheres some of what we all need to do today and every daycook at home learn new recipes stop going out to restaurants until the pandemic is over buy local and organic whenever possible eliminate factoryfarmed meat and animal products gmos and all the other nutritionally deficient and poisonous products of industrial agriculture from your diet purchase prepare and consume as many fresh and healthy nutritionallydense foods as possible this means lots of organic fruits and vegetables including fermented foods cut down on sugar and sugary deserts and reduce your alcohol consumption start growing you own sprouts indoors and get ready to plant an organic garden this spring if you have a patio or outdoor space consume whole organic grains and healthy carbs not processed food if you eat meat and animal products search out organic grassfed and pastureraised products but of course not everyone has access to or can afford to buy healthy food ethics and solidarity require us to help others in our community gain access to organic and healthy foods support mutual aid projects such as food hubs food banks and food delivery projects in your local communitytake this opportunity to stop smoking tobacco coronavirus death rates are substantially higher for smokers if you smoke pot stop sharing jointsor better yet switch to homemade edibles supplement your diet with vitamins and nutritional supplements such as vitamin c and d to strengthen your bodys immune system and diseasefighting capabilitiesstart getting regular exercise outdoors if at all possible but indoors if necessary my daily regimen includes yoga stretches light calisthenics and an hour or more of walking outdoors walking andor exercising for an hour will calm you down as well boost the microphages in your body that kill pathogensget seven to eight hours of sleep every night if you wake up in the middle of the night like i do dont take sleeping pills search out natural sleep supplements with no side effects for 3 am insomnia i take a four or five spray shots in my throat of dr mercolas melatonin and put two tiny pills 30c under my tongue of a homeopathic remedy called nux vomica you can find these overthecounter sleep supporters in your local coop or natural food store or else onlinetry to reduce mental stress which increases the inflammation that weakens your bodys defense mechanisms think positive remind yourself that this disaster can change politics economics and public opinion in drastic ways if we can unite our networks for healthy food and natural health and create synergy with those all over the world organizing for a just transition to a green economy we can not only overcome this pandemic but we can solve the even more catastrophic threat posed by our climate emergency even in this time of social distancing people all over the world are starting to collectively resist and get organized search out the positive news of rebellion and mutual aid online and youll see that people are slowly but surely building up a compassionate and sane response to the pandemic and mobilizing to turn back racist xenophobic and elitist government policies such as bailing out the wealthy one percent instead of the rest of us the 99 percent stop spending so much time reading or watching the commercial mass media which is filled with corporate propaganda and doom and gloom and tune in instead to the positive information you can find in the alternative media go to the websites of organic consumers association or regeneration international news sites like common dreams and natural health sites like mercola watch the news everyday on democracy nowif you want a positive roadmap showing how we can reverse global warming and mobilize a critical mass to implement an organic and regenerative green new deal you can read my new book grassroots rising a call to action on climate farming food and a green new deal the audio version is available here now is the time to strengthen friendships and build up a stronger movement for radical change if were going to survive the current crisis avoid catastrophic climate change and build the kind of world we all want and need we need to exponentially increase solidarity and trust among heretofore separate communities and activist networks isolated in their separate silos please step up communications with your friends and fellow activists over the phone and the internet and accentuate the positive sign up for our newsletter and stay in touch the upside of this terrible catastrophe is that it is creating the objective and subjective conditions for a global grassroots rising and regeneration revolutionlets talk about the real roots of this pandemic heres what jane goodall recently said about the pandemic crisisall over the world weve been destroying the places where animals live in order to get materials to build our homes our cities and to make our own lives more comfortable and as a result weve brought the climate crisis on ourselves many species of animals and plants have become extinct and our tooclose relationship with wild animals in the markets or when we use them for entertainment has unleashed the terror and misery of new virusesthe coronavirus pandemic like the climate crisis is not an accident nor an act of god both of these existential threats have arisen out of a us and global food farming energy resource extraction economic militaristic national security and trading system that is degenerative unethical inequitable and as we see now selfdestructiveas vandana shiva points outnew diseases are being created because a globalized industrialized inefficient food and agriculture model is invading the ecological habitat of other species and manipulating animals and plants with no respect for their integrity and their health the health emergency that the coronavirus is waking us up to is connected to the emergency of extinction and disappearance of species and it is connected to the climate emergency all emergencies are rooted in a mechanistic militaristic anthropocentric world view of humans as separate from and superior to other beings whom we can own manipulate and control it is also rooted in an economic model based on the illusion of limitless growth and limitless greed unless we can stop large corporations and desperate people from destroying the habitats of wild animals such as bats pangolins and civets unless we can shut down the animal factories where pigs poultry and other hapless creatures are crammed together in filthy diseaseridden environments stuffed with genetically engineered animal feeds and dosed with drugs guaranteed to spread antibiotic resistance and virulent pathogens unless we can alleviate the poverty that forces people to cut down their forests and hunt and consume and bring to market wild creatures unless we as conscious global citizens can stop buying and consuming the inhumane and dangerous factoryfarmed foods and products made from forestkilling commodities such as industrial palm oil and gmo soybeans unless we can stop multinational corporations from clearcutting tropical rainforests plowing up grasslands and savannas and destroying wetlands and marine ecosystems and instead reforest regenerate and restore damaged ecosystems unless we can break down the walls of the factory farms and get 50 billion confined farm animals back out on the land grazing and foraging in a holistic and regenerative fashion that sequesters carbon and reduces rural poverty unless we can carry out a global food farming landuse energy and political regeneration we will have more emerging viruses and diseases an outofcontrol climate emergency and the endless wars poverty and conflict that arise out of our militarized profit at any cost economic systemin sonia shans recent article in the nation magazine she quotes epidemiologist larry brilliant who once said outbreaks are inevitable but pandemics are optionalbut as shan points outpandemics only remain optional if we have the will to disrupt our politics as readily as we disrupt nature and wildlife in the end there is no real mystery about the animal source of pandemics its not some spiky scaled pangolin or furry flying bat its populations of warmblooded primates the true animal source is usthe myth of national security and the global militaryindustrial complex disturbing informationthe whole notion of national security ie my army or my nuclear weapons or my biological weapons are more potent than yours is exposed as insanity when pandemics such as the coronavirus or looming catastrophes such as runaway global warming which will require global cooperation to stop greenhouse gas emissions and draw down excess greenhouse gases in the atmosphere and sequester them in our soils plants and forests rise up and pose existential threats to us allits not clear yet whether covid19 was weaponized in one of the worlds numerous and secretive chemical and biological warfare laboratories such as the ones in fort detrick maryland or the one in wuhan china and then was accidentally or deliberately released or whether its toxic potency was accelerated by normal genetic mutations as it passed from bats and pangolins through humansbut there are disturbing facts about coronavirus biowarfare and lax security in the worlds growing network of chemical and biological warfare labs that the commercial mass media and world governments arent telling us aboutfrancis boyle a legal expert on chemical and biological weapons who authored the us biological weapons antiterrorism act of 1989passed unanimously by both houses of congress and signed into lawand which bans offensive chemical and biological weapons and research has stated that he believes the covid19 virus was weaponized and then accidentally releasedboyle suspects covid19 is a weaponized pathogen that escaped from wuhan citys biosafety level 4 facility which was specifically set up to research coronaviruses and sars according to boyle the covid19 virus is a chimera it includes sars an already weaponized coronavirus along with hiv genetic material and possibly flu virus it also has gain of function properties that allow it to spread a greater distance than normallast year february 27 2019 the washington post published a disturbing article entitled the us is funding dangerous experiments it doesnt want you to know aboutthe newsletter wanttoknowinfo summarizes and comments upon the implications of the washington post article which is now behind a paywallin 2014 us officials imposed a moratorium on experiments to enhance some of the worlds most lethal viruses by making them transmissible by air responding to widespread concerns that a lab accident could spark a global pandemic apparently the government has decided the research should now move ahead in the past year the us government quietly greenlighted funding for two groups of researchers to conduct transmissionenhancing experiments on the bird flu virus neither the approval nor the deliberations or judgments that supported it were announced publicly this lack of transparency is unacceptable making decisions to approve potentially dangerous research in secret betrays the governments responsibility to inform and involve the public when approving endeavors that could put health and lives at risk hundreds of researchers publicly opposed these experiments when they were first announced in response to these concerns the government issued a framework in 2017 for special review of enhanced pathogens that could become capable of causing a pandemic the framework requires that experts in publichealth preparedness and response biosafety ethics and law among others evaluate the work but it is unclear from the public record if that happened this secrecy means we dont know how these requirements were applied if at all to the experiments now funded by the government\non august 5 2019 the new york times reported that the centers for disease control cdc had closed down since reopened the most important chemical and biological warfare laboratory in the us at fort detrick maryland for biosecurity lapses problems with disposal of dangerous materials shortly thereafter the guardian uk newspaper linked to a video in which the cdc director robert redfield seemed to admit at a congressional hearing that some cases ie deaths from the coronavirus had been discovered in the us before being identified in wuhanno doubt due to the previously documented inability of the us to test and verify differences compared with the fluwatch this video interview with an experienced us virologist judy mikovits who previously worked at fort detrick on weaponizing and youll see why we desperately need to stop the madness before its too latei could go on and on with other disturbing coincidences hopefully covid19 was not weaponized in a cbw lab such as fort detrick or wuhan or at worst it was an accidental release due to a biosecurity lapse rather than an act of war as the chinese russians and iranians are now claiming in response to trumpss belligerent characterization of covid19 as the chinese virusthe point is that we need to stop weaponizing viruses and other pathogens in our socalled defensive chemical and biological weapons laboratories across the world as international treaties dictate we need to drop all us imposed economic sanctions across the world immediately including those hampering current anti covid19 measures in russia cuba iran venezuela syria north korea and other nationswe are all in this together we need to stop bullying and threatening one another we need to stop spending trillions of dollars on bombs and missiles and chemical and biological warfare programs and cooperate on waging war against the real monsters that are staring us in the face covid19 and the global climate emergencythe year 2020 will hopefully be remembered by our children and grandchildren as the transformational time when the global grassroots finally awakened to the existential threat of a climate emergency and the coronavirus pandemic and forced our governments to cooperate and take decisive actionhopefully 2020 will be recorded in the history books as a time when we mobilized as never before to overcome a national and global emergency and launched a longoverdue political and social revolution a us and global green new dealhopefully the future generations will be inspired by the unprecedented public education grassroots lobbying marketplace pressure civil protest mutual aid and farmer energy community and landuse innovation that will now be unfolding galvanizing radical political and system change on a wartime scale with a massive transfer of public and private investment from degenerative to regenerative practicesif not future generations will look back on 2020 as the beginning of the endwe have an opportunity as paul engler points outtrigger events can create confusion and unease but they also present tremendous opportunities for people who have a plan and know how to use the moment to push forward their agendas these agendas can be reactionary as when conservatives and fascists pass harsh austerity measures and spread xenophobiathe type of activity documented in naomi kleins the shock doctrine yet this type of response need not prevail with a counteragenda rooted in a commitment to democracy and a deep sense of collective empathy communities can flourish even amid a crisis", + "https://www.organicconsumers.org/", + "FAKE", + 0.035752171466457185, + 2982 + ], + [ + "Video: Respiratory Doctor Exposes the Fake Virus Pandemic", + "this brave and intelligent respiratory doctor has blown the whistle on the fake pandemic that is covid19 he joins the ranks of a growing number of doctors on the frontlines who are reporting that this socalled pandemic simply doesnt add up due to various reasons that have been reported by independent and citizen journalists empty hospitals inflated figures and people being falsely counted as covid19 casesthis respiratory doctor also exposes the covid19 test itself as useless it is not testing for the virus but rather the reaction to the virus since it is a pcr test and not the gold standard of isolation and purification etc kochs postulates discussed here it is merely testing for rna sequences that could be caused by many other things not a dreaded new coronavirus strainthe pcr test is limited in function and flawed if used for broad diagnosis it uses cycles to amplify the rna sequence which leads to many people getting a positive that in reality could be from cancer radiation or many other things he also had some scathing things to say about his fellow doctors just going along with the program and not asking the tough questions a sad reflection on the profession since it is wellknown people look up to doctors and give away their power to perceived authoritygood evening youtube this is our future and the powers with the people just wanted to let you know i am a respiratory therapist and ive been doing this for 21 years ive been kind of all over the place doing this i wanted to show you our equipment room here so we want to talk about covid19 for a few minutes and the first thing i want to say is does it look like theres a ventilator shortage theres not okay as a matter of fact were running less ventilators right now than we would normally run and thats cause people are just staying home theyre not having elective surgeries i want to talk about the numbers and the criteria that goes into what a covid patient is or a patient under investigation whats also called a pui basically right now and the way it has been last couple of months when they locked us down is that any patient that came in with a respiratory problem was labeled covid now that doesnt matter if its you got stage 4 lung cancer pancreatitis heart disease liver failure and everything else youre still because you come in with breathing problems youre labeled a covid patientnow we have one lady that could do the testing at first that would go those tests went to the cdc only one person was qualified to to test that for the whole place so several of these patients under investigations were never tested and maybe they died or whatever then they would die of covid and not of stage 4 lung cancer or these things this is clear that this is whats come out every single patient that needs one of our pieces of equipment here any of this if they need any of this stuff okay then they are a ruleout covid and these tests have taken as long as 2 or 3 weeks to get back were finally getting what they claim theyve been claiming this for a month but were finally getting inhouse testing thats going to change the game i think thats thats whats going on in most places and what that also means is isnt it now youre going see the numbers either go up or go down and i would suspect were gonna see them spike up and then spike down real quick and this is the reason for the number of deaths so you have to recognize that if every single patient is under covid investigation and dies then that goes into a covid death and theyre showing the numbers like a football game to scare you theyre showing you loading bodies into a tractor trailer to scare you ive never in my career ever seen bodies loaded into a tractor trailer it just doesnt happen i wonder if those were even bodies i really dont believe it all of this stuff is fake okaylook at our ventilators lets talk about ventilators and why there would be a shortage of ventilators well this is noninvasive ventilation here cpap or bipap this is a mask that gets strapped on in we can help you breathe with that were not allowed to use those okay were finally opening up to where we can use them a little bit but for the most part since covid came out they said absolutely not thats going to cause the virus to spread all over the place by spraying air slaws everywhere and so we cant use it you have to let the patient crash and go straight to a ventilator okay traditionally thats not the way we would treat a patient we also have air slides medications bronchodilators were not allowed to use those either so everything that we would traditionally do were not allowed to do every patient that comes in no matter what their history is labeled a covid under investigation so if that patient dies that becomes a covid death okay\nare ventilators killing more people than theyre savingso theres a lot of weird things going on when it comes to the testing itself ive been looking at this for about a month now but you can also look for yourself they were open about it on cbs news the other night theyre not testing for a virus like if you go to you get sick you go to the hospital traditionally you get tested for flu a and b flu a by the way is h1n1 the one that killed everybody in 2008 theyll test you for rsv those are actual viruses that you know they will test you for this covid test is different theyre testing for an rna sequence from a reaction to the virus look this up please look it up theyre not testing for a virus theres not one test to test for a virus okay then they put it in a pcr its a pcr test which means it amplifies it so if theres any little one little shred of that rna sequence from a damaged cell in your lungs or in your nasal passage youre going to test positive now that can come from cancer that can come from radiation that can come from several things so and then you hear all this talk on the news about antibody therapy and all of us are kind of stuff people want to donate plasma everything else but theyre not talking about the virus itself theyre not testing for the virus itself and thats a big big issue because that makes you say well is this as infectious as theyre telling us it is because if it was as infectious as theyre telling us that it is these would all be in use and everybody would be dying and were not seeing that okay this is unbelievable every bit of this has been created okayif you cannot use the noninvasive ventilation and have to go straight to this the ventilator that creates a ventilator shortage but you also want to ask why its ford and gm in the business of making ventilators when we have plenty of companies that already make ventilator you know what kind of ventilator is it what does it do whos going to train us on those ventilators and you know how is it going to be tested and then what is the cost per ventilator that the united states is paying for it in gm for these these products that really arent obviously needed so all this talk you hear on the news by the governors and everybody else were having shortages of ventilators its not true its not true okay so how about health care workers yeah were getting one or two healthcare workers or coming up positive and you know that would be expected but i would actually expect a lot more healthcare workers to get sick and come up positive and weve had some extreme contamination issues from patients that didnt show any symptoms what and a patient under investigation and then all of a sudden came up positive and none of those health care workers came up positive got sick carried a fever or anything else just to show you real quick heres my ppe that i have to wear sorry heres my ppe that i have to wear this an n95 mask in here and a face shield and of course we got some gowns and stuff but were going wearing this or 5 shifts minimum before we can get a new one all right so im contaminating myself every time i put this n95 masking the shield in this bag its contaminated its contaminating over and over and over again and then im putting the mask on okay im still here im not sick and nobody else is either except with the exception of one or twoif you look at the areas that these people are in where the hot spots are like such in georgia albany and atlanta you really have to say well why are all these places happening in these condensed areas well i truly believe this is something else thats causing this all these patients have comorbidities theyre all older the ones that are you know in lifethreatening situations and and the mortality rate is really not that low so if you actually look at whats going on compared to h1n1 h1n1 was a million times more scary than the covid 19 hen it comes to a vaccination you cannot vaccinate yourself really for a sinus infection its just not going to work you cant vaccinate yourself for every little human ailment that there is you know people are going to get sick what traditionally happens with viruses such as this if this is a virus and im not so sure it is but youre going to have a real spike such as in sars zika h1n1 you gotta have a spike and then its going to lose its its efficacy and its going to drop and and the mortality rates going to drop i mean the people that get really sick is going to drop you know so you have this initial little bang and then it drops off thats what a fire wrist normally does im not completely convinced this is a virus ive been doing this a long time do your own homework do your research but the equipment should speak for itself does this warrant shutting down the country does this warrant 6 to 10 trillion in economic stimulus just for this country does this warrant all these things that are being put in place i mean does this warrant the trillions lost does this warrant locking everything up beaches you know hiking trails tennis courts bars restaurants pool halls arm schools does this warrant this yeah i really dont think it does not even closeso yall need to be asking some some really hard questions here and questioning your government and questioning and people in charge and also questioning your doctors because the doctors believe this stuff just as much as everybody else does but theyre not looking at the real information all theyre doing is theyre told something and hey guess what they got lives they got jobs they got everything else you got plus on they dont care i mean they do care but theyre not gonna go look it up theyre not gonna look up exactly what this test is theyre not gonna look up that hey why arent we getting these in fact you know they look up the little things that theyre told look up and thats it just like anybody else would okay so you know these questions really have to be asked and then for the trump supporters out there im gonna ask you something think about this for a minute were doing the same thing theyre doing in france were doing the same thing theyre doing in italy were doing the same thing theyre doing any uk so does that mean trumps really in charge of this whole thing because i really dont think he is i think hes being told to do what hes doing and and and thats the way it is i mean this is a deep state illuminati stuff and this is the real deal and theyre shutting the world down okay yall people really need to understand this the world okay and theyre putting our kids and grandkids and severe debt that will never be paid off and if you think of how many taxes youre paying now can you imagine what our children and our grandchildren are gonna have to pay for this scam so please look up do your homework ask questions look at our equipment room ask why cant we use this if were not seeing the infections yeah you know why cant we use this noninvasive equipment why are we having auto manufacturers make ventilators whos testing the ventilators what kind of ventilator price per ventilator all these things the economic stimulus package you know is this gonna be another corporate bailout where they you know give themselves milliondollar bonuses while we starve i bet you it will be so this is real dangerous time were coming in when it comes to the vaccinations i promise youfake tests fake bodies fake pandemic all to keep people in fear as this respiratory doctor reveals there are so many levels of fakery going on with this scamdemic we have now entered the brave new world of covid1984 we are in a new war on bioterror where everyone is a suspected or asymptomatic carrier and the pcr test can replace the judge to prove your innocence or guilt there are truly dangerous and unprecedented times it is vitally important for everyone to not only question government but also to question their doctors so enough peopleshare this information knowledge dispels fear once enough people climb out of fear naturally they will begin to unite and rise up in anger to demand freedom selfrespect will kick in the nwo manipulators who orchestrated this entire event will have a much harder time rolling out their plans when a united and aware citizenry protest en masse and refuse to buy into the fear and refuse to tolerate any more lockdown house arrest or quarantine", + "https://www.globalresearch.ca/", + "FAKE", + 0.039315388912163116, + 2447 + ], + [ + "Chinese ‘spies’ stole deadly coronavirus from Canada", + "wuhan coronavirus may have originated in canada possible link to ongoing rcmp investigation of a chinese scientist at winnipegs national microbiology lab who made several trips to china including one to train scientists and technicians at who certified level 4 lab in wuhan china ", + "Facebook", + "FAKE", + 0, + 44 + ], + [ + "Dr. Ron Paul: Don’t buy the coronavirus hype", + "governments love crises because when the people are fearful they are more willing to give up freedoms for promises that the government will take care of them after 911 for example americans accepted the neartotal destruction of their civil liberties in the patriot acts hollow promises of securityit is ironic to see the same democrats who tried to impeach president trump last month for abuse of power demanding that the administration grab more power and authority in the name of fighting a virus that thus far has killed less than 100 americansdeclaring a pandemic emergency on friday president trump now claims the power to quarantine individuals suspected of being infected by the virus and as politico writes stop and seize any plane train or automobile to stymie the spread of contagious disease he can even call out the military to cordon off a us city or statestate and local authoritarians love panic as well the mayor of champaign illinois signed an executive order declaring the power to ban the sale of guns and alcohol and cut off gas water or electricity to any citizen the governor of ohio just essentially closed his entire statethe chief fearmonger of the trump administration is without a doubt anthony fauci head of the national institute of allergy and infectious diseases at the national institutes of health fauci is all over the media serving up outright falsehoods to stir up even more panic he testified to congress that the death rate for the coronavirus is ten times that of the seasonal flu a claim without any scientific basison face the nation fauci did his best to further damage an already tanking economy by stating right now personally myself i wouldnt go to a restaurant he has pushed for closing the entire country down for 14 daysover what a virus that has thus far killed just over 5000 worldwide and less than 100 in the united states by contrast tuberculosis an old disease not much discussed these days killed nearly 16 million people in 2017 wheres the panic over thisif anything what people like fauci and the other fearmongers are demanding will likely make the disease worse the martial law they dream about will leave people hunkered down inside their homes instead of going outdoors or to the beach where the sunshine and fresh air would help boost immunity the panic produced by these fearmongers is likely helping spread the disease as massive crowds rush into walmart and costco for that last roll of toilet paperthe madness over the coronavirus is not limited to politicians and the medical community the head of the neoconservative atlantic council wrote an editorial this week urging nato to pass an article 5 declaration of war against the covid19 virus are they going to send in tanks and drones to wipe out these microscopic enemies\npeople should ask themselves whether this coronavirus pandemic could be a big hoax with the actual danger of the disease massively exaggerated by those who seek to profit financially or politically from the ensuing panicthat is not to say the disease is harmless without question people will die from coronavirus those in vulnerable categories should take precautions to limit their risk of exposure but we have seen this movie before government overhypes a threat as an excuse to grab more of our freedoms when the threat is over however they never give us our freedoms back", + "https://prntly.com/", + "FAKE", + 0.02535866910866911, + 570 + ], + [ + "How karma works: is it possible that COVID-19 is a successful project of the USA?", + "according to the who report on the spread of the new coronavirus pneumonia as of march 30 2020 717 992 infection cases were confirmed worldwide 150 914 patients recovered 33 883 cases were fatalwestern european countries such as italy spain and germany have become main epicenters of the spread of the coronavirus infection right after china and on march 24 who announced that the united states became the new focus of the spread of covid19 currently there are 142 735 people infected in the united statesagainst the backdrop of the rapid spread of coronavirus in the united states and the accompanying decline in the economic activity confirmed by the american president the trump administration is confidently acting within the framework of antichinese policy quoting diplomatic sources nbc news says that the administration demands that the fact of the wuhan origin of covid19 is included in the un resolution in beijing it is not denied that the virus could have been brought into china by the american troops if some time ago such assumptions were little taken into account and for the most part rejected being similar to conspiracy theories today most politicians around the world have already begun talking about their legitimacythe us is known for its alarming activity in sponsoring biological weapon laboratories involved in the study of pathogenic biological agents obtaining biological material for future experiments as well as developing and introducing new technologies into the military sphere of particular interest is the geographical location of such laboratories these are the countries of western and central asia armenia azerbaijan kazakhstan uzbekistan and georgia we also note the agreement signed in 2005 between the health department of ukraine and the us department of defense according to which in order to assist ukraine in preventing the spread of technologies pathogens and knowledge located in the research institute of epidemiology and hygiene in lviv as well as other facilities in ukraine defined by the health department of ukraine which can be used in the development of biological weapons in accordance with the provisions of this agreement the us department of defense provides grant aid in the amount of cash allocated to achieve this goal to the health department of ukrainethe next important object is the lugar laboratory also known as the georgian research center in tbilisi which is functioning at the disposal of the national center for disease control and public health of georgia and is the investment project of the usa aimed at creating a strategic military facility the laboratory is studying especially dangerous infectious diseases but it hides the true motives of its research which may indicate the possibility of developing biological weapons statements about the danger associated with the activities of this center were repeatedly voiced by secretary of the security council of the russian federation nikolai patrushev as well as numerous representatives of the russian ministry of foreign affairs the available data suggest that the main vectors of the direction of the bacteriological threat emanating from the united states are russia and mainland chinataking into account the given facts let us try to hypothesize that the new coronavirus pneumonia is a provocation of the usa an american military development introduced through biological weapon laboratories located in west asia in order to destroy the main rival of the usa china the goal of introducing such a means of struggle could initially be not only elimination of the constant threat of the increasing economic influence of the celestial empire but also obtaining the greatest benefits from the trade agreement that was supposed to be concluded with china after all it was much easier to agree with an economy weakened by coronavirus that had struck its main driving force on conditions not entirely beneficial for it in this case it was already a question of an ethnic war conducted with the use of new bacteriological weapons trumps traditional attacks on china add fuel to the fire an attempt to accuse it of launching a global pandemic is trumps typical game in the style of the best defense is an attackhowever now that the political intrigue is gaining new momentum and the us itself is falling into the hole it made for its rival what does the world superpower have to do nexton march 29 a source in the ministry of foreign affairs of the russian federation said that russia was concerned about the us military and biological activities in nearby countries being implemented in the laboratory workouts financed by the pentagon and insists on clarifying the purpose of these laboratories\nas for the american trace in the emergence of covid19 we dont have such information for today a source in the foreign ministry said however for a long time we have been watching with concern the us military and biological activities carried out in close proximity to our borders in our neighboring countries of the caucasus and central asia and the latter border with china there are biological laboratories created with the money of washington and with the participation of business travelling specialists from there he addedthe italian political expert tiberio graziani president of the vision global trends international institute for global analysis in an interview with news front correspondents commented on the situation as followscurrently with reference to the lab creation of the coronavirus as a bacterioligic weapon there are no certain elements to affirm it the fact that these theories or assumptions run on various media and social networks is a demonstration of the frustration of those who write or disseminate them however it should be emphasized that socalled conspiracy hypotheses of this kind actually create a smoke screen that prevents a serious peaceful and articulated debate on global epidemicsin my opinion the question of such health crises cannot be reduced to an ideological confrontation however this must not be an alibi for not investigating military laboratories that develop bacterioligic weapons mr grziani saidthe conclusion suggests itself of course we should not prematurely put conspiracy theological ideas into the mass consciousness of the civilian population nevertheless the question of the open legal functioning of worrying laboratories is one of the leading issues on the political agenda of government agencies of all countries of the world community joint efforts should be made to study the activities of centers for the research of biological material ideologically and financially supported by the united states of america one of the priority tasks is to give lugars tbilisi laboratory an international status which will allow independent experts from russia european and western countries to fully participate in its activities and be aware of all the nuances of the experiments this will increase the chances of preserving the right to a safe existence of citizens in the nearby territories", + "https://en.news-front.info/", + "FAKE", + 0.05718822423367879, + 1125 + ], + [ + "It’s now clear that Fauci is trying to DEPRIVE America of a coronavirus cure", + "wuhan coronavirus covid19 task force head dr anthony fauci doesnt want americans taking hydroxychloroquine or chloroquine to treat the virus and many people are wondering why notone of them is white house economic advisor peter navarro who reportedly exploded at fauci the other day for trying to downplay the benefits of this extremely inexpensive generic drug for malaria while emphasizing the alleged superiority of some future vaccine for the wuhan coronavirus covid19 that doesnt even exist yeteven though hydroxychloroquine is shaping up to be the most effective weapon in the arsenal at least from a pharmaceutical perspective for treating this coronavirus fauci isnt having any of it and thats because as hes now proven he works for big vaccine and not for the american people\nduring a recent roundtable which was reportedly attended by wuhan coronvirus covid19 response coordinator deborah birx jared kushner acting homeland security secretary chad wolf and food and drug administration fda acting commissioner stephen hahn navarro passed out folders containing data on the benefits of hydroxychloroquineaccording to navarro and what he passed out the studies hes seen mostly from overseas show that this malaria drug shows clear therapeutic efficacy against the wuhan coronavirus covid19 and it can be procured for just pennies per dosealmost immediately fauci began pushing back against navarros claims stating that theres only anecdotal evidence that hydroxychloroquine works against covid19 this just set peter off according to one of the others who was present prompting navarro to explain that science not anecdote shows that hydroxychloroquine does in fact work against the wuhan coronavirus covid19listen below to the health ranger report as mike adams the health ranger talks to dr eduard fatakhov about how to beat the coronavirus through nutritionnavarro also called out fauci for opposing trumps early travel restrictionsin his heated rant against faucis nonsense navarro went on to chastise fauci for being one of the earliest voices to oppose president donald trumps early travel restrictions with china emphasizing that fauci had claimed that travel restrictions dont workthe group ended up agreeing that the best path forward is to get the drug to the hot zones because it does help and to allow patients to make the decision whether or not to use hydroxychloroquine themselves with the guidance of their physiciansduring a recent press conference president trump also indicated that he had ordered 29 million doses of hydroxychloroquine to be placed into the strategic national stockpilethere has never been a confrontation in the task force meetings like the one yesterday claimed a source about navarros outburst at fauci people speak up and theres robust debate but theres never been a confrontation yesterday was the first confrontationwhen polled about the effectiveness of hydroxychloroquine about 37 percent of some 6227 doctors in 30 countries indicated that it is currently the most effective therapy that they have at their disposal this is compared to at least 14 other potential treatment options that are currently availablea whopping 72 percent of covid19 cases in spain have had hydroxychloroquine prescribed while almost half of all cases in italy have had the drug prescribed hydroxychloroquine is also being used in about 41 percent of wuhan coronavirus covid19 cases in brazil 39 percent of cases in mexico 28 percent of cases in france and 23 percent of cases in the united statesoverall almost 20 percent of physicians are now prescribing hydroxychloroquine for their highrisk patients while a mere eight percent are prescribing it for their lowrisk patients", + "https://www.naturalnews.com/", + "FAKE", + 0.09606481481481483, + 576 + ], + [ + "Yes, coronavirus is a BIOWEAPON with gene sequencing that’s only possible if it was genetically modified in a lab", + "the truth about novel coronavirus is starting to trickle its way out of the realm of independent science with new research pointing to strange anomalies in the viruss genetic structure that suggest its more than likely a bioweaponpublished in the online journal biorxiv the study found that novel coronavirus contains key structural proteins from hiv entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gag the paper identifies four unique insertions in the viruss spike glycoprotein that arent present in any other form of coronavirus meaning this one is a whole different animalthe paper goes into further specifics about how these inserts do not appear to be natural concluding that the engineering of novel coronavirus with these unusual gene sequences is unlikely to be fortuitous in nature again pointing to its unnatural originalmost nobody knows about this study because the mainstream media is ignoring it and its implications and independent media outlets like zero hedge that have dared to report on it are now being systematically censored from twitter and other social media platforms for spreading misinformationany suggestion that the coronavirus was engineered as a bioweapon had to be immediately eliminated writes mike adams the health ranger about the situationthe prevailing panic by the establishment sought to blame this outbreak on mother nature ie bats snakes seafood etc rather than the human beings who are playing around with deadly biological weapons that are designed to extinguish human lifebe sure to watch the below health ranger report from brighteoncom about the coronavirus situation entitled coronavirus is biological weapon system designed to destroy americawas the release of novel coronavirus an accident or intentionalbased on the information put forth by zero hedge that got the site banned from twitter it appears that novel coronavirus is in fact a manufactured bioweapon the question that remains is whether or not it was accidentally or intentionally releaseddr peng zhou phd the scientist who zero hedge outed for working with deadly viruses at the wuhan institute of virology very well could have been involved with research on this particular virus that potentially went terribly wrong or its possible that it was developed on purpose as a covert bioweapon to unleash havoc on the worldkeep in mind that the aforementioned paper has since been retracted meaning someone got to the researchers who published it and pressured them to withdraw it presumably because it contains too much truththeres obviously much more to the story than were all being told and yet the corporate media continues to publish lies or nothing at all about the true origin of novel coronavirus were all expected to just believe the narrative that bats and snakes at a seafood market caused this case closed\nno doubt the authors of this particular paper have been sufficiently threatened to revise their conclusions and an update of their original paper will soon be posted that effectively denounces everything they stated in the original paper adams contendsthe criminal wing of the science establishment strikes again of course and this tactic of threatening scientists with loss of funding being blacklisted or even physically threatened and killed is not unusual at alltime will tell if anything becomes of politically incorrect science like this that lets the cat out of the bag so to speak its apparently too much truth for the general public to handle so it has to be stifled and buried at least for nowto keep up with the latest coronavirus news be sure to check out pandemicnews", + "https://www.newstarget.com/", + "FAKE", + 0.06641873278236914, + 586 + ], + [ + "Molecular Biologist Says COVID-19 Could Have Leaked From Wuhan Biolab", + "a molecular biologist proclaimed thursday that the chinese coronavirus could have originated at the wuhan institute of virology and been leaked leading to its horrific spread around the globerichard h ebright a professor of chemical biology at rutgers university told the daily caller that he believes it is a distinct possibility that an accident in the laboratory in china could have caused the outbreakprofessor ebright said that a denial is not a refutation referring to chinas top virologist shi zhengli who works at the lab in wuhan and has repeatedly denied that it was the source of the pandemiczhengli known as batwoman because she works with batborne viruses has said that the coronavirus spread is nature punishing the human race for keeping uncivilized living habitsthe novel 2019 coronavirus is nature punishing the human race for keeping uncivilized living habits i shi zhengli swear on my life that it has nothing to do with our laboratory she wrote in early february adding i advise those who believe and spread rumors from harmful media sources to shut their stinking mouths\nprofessor ebright pointed to the quote noting that it makes zhenglis denial more suspectwhile the professor has been cited by the likes of the washington post and msnbc to dismiss theories about the virus being a bioweapon the media has not covered his belief that the possibility of a lab accident being the source of the outbreak cannotand should notbe dismissedto clarify professor ebright categorically does not believe that the virus is an engineered bioweapon due to the scientific evidence showing otherwise however the notion that the strain of coronavirus that has spread around the world and since mutated came from the wuhan lab is a real possibility in ebrights opinionthis notion is also supported by the fact that according to a study contributed to by the batwoman herself shi zhengli the novel coronavirus is 962 identical to a viral strain that was detected in horseshoe bats from the yunnan province which is over 600 miles away from wuhanseparate chinese research confirmed this and cited testimonies from close to 60 people who lived or stayed in wuhan for lengthy periods saying that the bat was never a food source in the city and no bat was traded in the marketthe research paper which was uploaded to research gate on feb 6 concluded that the killer coronavirus probably originated from a laboratory in wuhanthe paper was removed from research gate on feb 14 or 15 according to internet archives and its author cannot be reacheda deadly virus leak from a chinese lab is not unprecedented the sars virus escaped twice from the chinese institute of virology in beijing in 2004 one year after its spread was brought under controlmany believe that chinas continued subterfuge regarding the coronavirus outbreak and its bizarre accusations that it was spread by the us military is an effort to divert attention from the possibility that this virus leaked from the wuhan labsenator tom cotton who has been continually vocal on the matter told the daily caller this week that the reason i have raised these questions from the very beginning is because of chinas statements and their actionsafter concealing the virus for many weeks in december and then minimizing its severity for most of january they then peddle an origin story about the food market in wuhan cotton said adding given their dishonesty and the proximity of these labs which we know were working with coronaviruses it is only reasonable and responsible for us to ask the question and demand the answers", + "https://www.zerohedge.com/", + "FAKE", + 0.08750000000000001, + 594 + ], + [ + "Robert Kennedy Jr. claims Bill Gates \"owns the WHO\"", + "robert kennedy jr claims that bill gates owns the world health organization who and called the microsoft founder the most powerful man in public health\nkennedy jr the son of robert f kennedy and the nephew of john f kennedy made the claims in an interview on youtube channel valuetainment on may 2 2020 kennedy claimed that gates provides 10 of the whos budget and said that the who begs and rolls over for gates funding he claimed that gates had used his influence to shift the whos approach to disease eradication kennedy said that the who used to employ a policy of eliminating disease by eliminating poverty he said that the best way of eliminating a disease was by providing impoverished communities with adequate resources like clean water sanitation and sufficient and nutritional food however he alleges that gates has shifted this approach kennedy claims that gates has shifted the whos attention toward eradicating disease through vaccination he believes the only path to good health is inside a syringe kennedy claimed in the twohourlong interview half of the whos budget goes towards gates polio vaccine program according to kennedy who alleges that the vaccine is actually spreading polio he alleged that the gates foundations polio vaccine has caused polio epidemics around the world in places that have not seen polio for decades and said that 70 of polio cases on earth are coming from the gates vaccine i think that gates is wellintended in the same way that missionaries who brought smallpox to the indians were wellintended i think he believes that he is somehow ordained divinely to bring salvation to the world through technology bill gates has donated more than 300 million to develop a covid19 vaccine and aims to introduce a global vaccine action plan to combat disease around the world kennedy also weighed in with some outrageous theories about the new 5g network which is currently being rolled out across the world he said that bill gates would have complete control of our society through 5g kennedy alleged that gates has invested heavily in 5g networks and owns hundreds of thousands of ground antennae kennedy claimed that authorities would use 5g to track movements to know where an individual is at any given moment 5g is not about helping you download your video game quickly he said 5g is about surveillance and its about data harvesting he said that the current lockdown measures that are in place during the covid19 pandemic are training society to do what its told this pandemic is teaching us to accept this kind of surveillance to accept these constraints on our civil rights to allow the government to come in and tell us that we must stay at home and not send our kids to school perhaps kennedys most outrageous claim was that bill gates is installing chips in people across america he said that these chips could be used to store a persons medical records but said that they would be used for something far more sinister he said that a police officer could potentially scan the chip in the middle of an investigation to search a persons criminal record or their previous locations reuters published an article on may 5 debunking kennedys microchip claim robert f kennedy jr is known for his controversial and bizarre theorieshe is notoriously and controversially antivaccination and his own family members penned an oped in politico last year challenging his campaign of misinformation about vaccination ", + "https://www.irishcentral.com/", + "FAKE", + 0.1103896103896104, + 581 + ], + [ + "MAINSTREAM MEDIA AND GOVERNMENTS OVERESTIMATE THE CORONAVIRUS THREAT", + "there is little doubt that the coronavirus threat is overestimated by mainstream media and governments covid19 is in fact an ordinary viral disease with a slightly higher mortality from complications for people of old age or people with weakened immunity another open secret is that the current hysteria over the outbreak is being successfully used by some players to achieve their own economic and geopolitical goals looking at the current situation in europe one could suppose that some forces have seized an opportunity and are now fueling the coronavirus crisis intentionally", + "https://web.archive.org/", + "FAKE", + 0.09659090909090909, + 91 + ], + [ + "Coronavirus was produced in a laboratory: Former CIA intel officer", + "a former american counterterrorism specialist and military intelligence officer of the cia has said that the coronavirus did not occur naturally through mutation but rather was produced in a laboratory possibly as a biological warfare agentsince the novel coronavirus outbreak began in china last december it has infected more than 90000 people globally and killed more than 3000 the majority of cases and deaths remain in mainland chinathe death toll from the coronavirus in iran which has one of the highest numbers outside china stood at 107 health ministry spokesman kianush jahanpur said thursdayseveral reports suggest that there are components of the virus that are related to hiv that could not have occurred naturally if it is correct that the virus had either been developed or even produced to be weaponized it would further suggest that its escape from the wuhan institute of virology lab and into the animal and human population could have been accidental technicians who work in such environments are aware that leaks from laboratories occur frequently philip giraldi wrote in an article published by the strategic culture foundation on thursdaythere is of course and inevitably another theory there has been some speculation that as the trump administration has been constantly raising the issue of growing chinese global competitiveness as a direct threat to american national security and economic dominance it might be possible that washington has created and unleashed the virus in a bid to bring beijings growing economy and military might down a few notches it is to be sure hard to believe that even the trump white house would do something so reckless but there are precedents for that type of behavior he saidin 20059 the american and israeli governments secretly developed a computer virus called stuxnet which was intended to damage the control and operating systems of iranian computers being used in that countrys nuclear research program admittedly stuxnet was intended to damage computers not to infect or kill human beings but concerns that it would propagate and move to infect computers outside iran proved to be accurate as it spread to thousands of pcs outside iran in countries as far flung as china germany kazakhstan and indonesia he addedif one even considers it possible that the united states had a hand in creating the coronavirus at what remains of its once extensive biological weapons research center in ft detrick maryland it is very likely that israel was a partner in the project helping to develop the virus would also explain how israeli scientists have been able to claim success at creating a vaccine so quickly possibly because the virus and a treatment for it were developed simultaneously he noted", + "https://www.presstv.com/", + "FAKE", + 0.0583912037037037, + 447 + ], + [ + null, + "hydroxychloroquine has been shown to have a 100 effective rate treating covid19 yet democrat gretchen whitmer is threatening doctors who prescribe it if trump is for something democrats are against it they are okay with people dying if it means opposing trump", + "RudyGiuliani", + "FAKE", + 0.55, + 42 + ], + [ + "THE CORONAVIRUS IS A PRETEXT FOR THE GLOBAL ELITES’ AMBITIONS TO REDUCE WORLD POPULATION", + "population reduction is among the goals of the elite within the wef the rockefellers rothschilds morgens and a few more the objective fewer people a small elite can live longer and better with the reduced and limited resources mother earth is generously offering", + "https://web.archive.org/", + "FAKE", + 0.08784786641929498, + 43 + ], + [ + "BELGIUM HEALTH MINISTER PUTS BAN ON NON-ESSENTIAL SEXUAL ACTIVITIES OF PERSONS 3 OR GREATER IN INDOOR AREAS", + "belgium health minister maggie de block has put a ban on all nonessential sexual activities of persons 3 or greater in indoor areas\nhealth minister de block announced today that effective immediately nonessential sexual activities of 3 people or more are banned in belgium to combat the spread of covid19de block said she was forced to act swiftly because of belgiums reputation as being the beerdrinking and group sex capital of europebelgium is the beerdrinking and group sex capital of europe if not the world we as a nation must address this situation de block announced in parliamentwife swapping threesomes and orgies of six fifty one hundred or more are not permitted until the outbreak settles down she announced in parliamenthealth minister de block did not ban single or twoperson sexual practices such as masturbation anal or oral sex or even bestialitythese measures apply only to humantohuman sexual contact not humantoanimal contact she added when questioned about bestiality by reportersa 2018 survey revealed that more than 78 of belgian couples openly practice wife swapping a cultural trait that became common practice in the 19th century under the rule of king leopold ii", + "https://worldnewsdailyreport.com/", + "FAKE", + 0.22782446311858073, + 192 + ], + [ + "The Geopolitical Consequences of COVID-19: Over the Cliff", + "on the evening of saturday april 18 2020 the forty thousandth 40000 presumed covid 19 death according to new cdc guidelines occurred where death only affects the few the misinformation withheld or suppressed data the lies the propaganda and censorship are making things worse thus we turn to the format of a loose intelligence briefing as the infectious nature of propaganda has to be resisted and it is so very hard to resist on the morning of sunday april 19 2020 a propaganda blitzkrieg began using trump administration surrogates claiming the deaths are really fake people and empty hospitals we might call this pandemic denial made dangerous as the pandemic as of midlate april 2020 is clearly in control and those claiming otherwise are knowingly lying for reasons we will make clear major medical centers across the us are at an average of 80 of capacity some are higher much higher in some areas temporary hospitals are being used but more often noncovid patients are being turfed to rural medical centers where their needs may not be properly addressed as with any emergency the first victim is truth social media lends itself toward sensationalism and can attract those with victimization fantasies thus only information from known sources is accepted and nothing from mainstream or social media can be trusted the situation in american hospitals not all but more than the public would imagine is grave currently ppe personal protective equipment is in good supply with the exception of n95 masks and that situation is rapidly improving availability of ventilators in the us is currently very good thanks to individuals like elon musk the governments of russia and china and many charitable organizations that have gone to great efforts by very good we are speaking of supplies as predictive modeling indicates one of the problems however is that the predictive models are predicated on assumptions not in evidence and are failing this critical failure and the cloak of secrecy around it has given rise to the lunacy and subterfuge we are seeing in washington part of that failure is at hospital level to clarify the issue is getting patents off ventilators nearly half of those on ventilators now are at or above 10 days and face a poor outcome claims that half may die are low most or all will die unless a late stage treatment protocol is developed in time this is a life and death race and we are losing moreover many patients who are never intubated but stay on cannula for oxygen as we are told was the case with boris johnson seem to recover then quickly succumb for no apparent reason johnson likely received remdesivir which has been denied other nhs patients if so the political fallout for johnson whose policies left the nhs grossly unprepared for the covid 19 pandemic will and should be catastrophic the biggest morbidity factors are the following age 60 plus obesity smoking diabetes any other cardiopulmonary issues the glaring question of irregular morbidity figures must be addressed this is what we have learned the healthcare systems of italy and spain were very much not as represented claims that the hospitals of northern italy in particular are among the best in the world is patently false were it not for russian and chinese aid both italy and spain would have collapsed standards of care considered normal in britain france belgium spain and italy rate at or below the worst in the us that said with massive medical infrastructure the us was blindsided as well twenty percent of covid 19 victims are healthcare professionals past that vital support personnel for health care are primarily african american or hispanicthis has given rise to issues of specific genetic vulnerabilities which are likely at this point overemphasized households with healthcare and support workers most often have one or more adults working away from home often in areas of very high exposure\npast this we look at iran hard hit early on if figures are to be believed iran peaked on march 29 2020 and is showing a steady decline in new patients barring a second wave irans testing program has been more aggressive than most and if these figures are reliable they offer some hope to nations unlike the united states that took the threat seriouslythe material offered here is an intelligence briefing on a vital situation the us government is keeping secret even from state governors the real situation with the covid 19 pandemic as a first wave ending many lockdowns by may 1 2020 is planned there is nothing worse than an election year in the united states nothing worse except maybe an election year with a nation fully engaged in not just a pandemic but economic collapse as well never has the very real threat of extremism and totalitarianism been this close for the united states we will be addressing this issue the failure of governance but also the elephant in the room how the lockdowns themselves are a panacea our models are failing based on mixed data on acquired immunity we have had several reports this week that reinfection rates are high particularly from south korea by the first week of february the us had reached one of two scenarios that could have only been mitigated by a quick vaccine not possible and assumptions on immunity that were not evidence based where a 10 lockdown would have applied on february 1 a twomonth lockdown from midmarch to midmay is likely to lead to waves of reinfection through september lockdown beyond that would do nothing and economic factors dictate opening up taking the extinction level hit to an unimaged level\nthis scenario advocates a may 1 end to lockdown if continued reliable reinfection reports come in which is likely to give us a wash through lasting until february 2021 option 2 is most likely and may well be inexorable a wash through combined with waves of reinfection new treatment protocols and there few showing promise would be the priority generally hydroxychloroquinechloroquine is facing a dim future side effects are devastating and effectiveness has thus far been in only moderate cases and anecdotal convalescent serum is at an experimental stage and weeks from deployment initial tests show it to be useful in a percentage of cases with the following caveat patients thus far either improve quickly or die of a reaction to the serum this information is being withheld we have promising antivirals but these have only been used in nondefining test situations that out of humanitarian concerns do not have a doubleblind we are hopeful saying we have reached an end of the world as we know it has both good and bad connotations large military forces are no longer in the cards for the major powers it has been proven how easy it is to take a ship at sea down there are so many ways to target infections to diminish military capability there is now a weapon that makes any state a major player again and the us is entirely to blame with their massive biological weapon research program you see the us allowed the program to filter into the universities for cover as numerous treaties are being violated every president since and including clinton has a hand in this bush 41 tried to stop this and this and other reasons were why his presidency was ended a story that will never be told bush learned early about the planning of 911 and watched clinton increasingly lose control of the reins as right wing extremist elements in washington partnered with rogue elements in the pentagon cia and the criminal elites of the former soviet union soon to make up the core of the kosher nostra crime syndicate trumps handling of this issue if one is to assume his blunder was unintended is the single biggest failure of governance in american history while covering his tracks working with organized crime to foster internal rebellion wrongly targeting china and continually diminishing the presidency a wave of damage that may eventually be more costly than the pandemic itself has been fomented oil will never be the same fracking will never be profitable current pipelines and refineries under construction are now useless as are those built in recent years many at incredible cost to the environment russias moves into the arctic are now likely to be curtailed a good example will be norway their gdp for the next 48 months even without a permanent market contraction will be down by 15 with exports down 40 or a bit more they will move from a social welfare state with a very high standard of living to a debtor nation in less than 5 years this is a bestcase scenario for the wealthiest of nations saudi arabia is entering uncharted waters clearly saudi arabia and the uae will end their issues with iran from press tv a saudi whistleblower has said that the number of saudi royals infected with the coronavirus covid19 has exceedingly surpassed figures previously revealed by a new york times report the saudi alahd aljadid twitter account made the revelations on friday more than a week after the nyt report said as many as 150 saudi royals had contracted the virus the report at the time said that over 500 beds were being prepared at the elite king faisal specialist hospital that treats members of the saudi family on friday however alahd aljadid which is known for whistleblowing on highprofile cases within the saudi court revealed that the saudi hospital reserved for the royals in the red sea port city of jeddah had been overwhelmed with coronavirus cases the jeddah specialist hospital which is reserved for saudi royals is no longer capable of accepting new cases the twitter account said therefore two hotels have been reserved to be fully used for accommodating and curing infected royals it added naming one of the hotels as being the movenpick hotel as of 1400 gmt on friday more than 7142 confirmed coronavirus cases were reported in the kingdom with 87 deaths according to a reuters tally another saudi whistleblower mujtahid however has cast doubt on official figures arguing that the situation throughout the kingdom is much more critical the reports of the covid19 disease spreading among royals come as the saudi family is embroiled in a bitter power struggle between saudi crown prince mohammed bin salman and his potential rivals according to reports nations like iraq have been thus far exceptionally effective in limiting the spread of the pandemic their last case was on april 16 2020 and thus far register only 82 deaths with over 500 active patients turkey is reporting a possible downturn as of april 14 with new cases peaking a few days earlier at around 4500 new cases a day turkey however has nearly 80000 active patients and has been accused of significant underreporting russias covid 19 surge began in april but cases are a small fraction of what the us is seeing with a mortality rate based on official reports half of that in the us\nconclusion covid 19 a disease that many experts werent expecting for a hundred thousand years is a highly modified version of the wuhan horseshoe bat virus it is not plausible that covid 19 developed without a genesplicing laboratory the odds against such a disease developing naturally are astronomical yet we are continually informed of the oppositein order to prepare this front line medical personnel were interviewed even interrogated to an extent within parameters of required tenets of patient privacy laws the truth the horror of the truth is worse than the dramatic twitter video we are asking too much of far too few and this should never be allowed to happen againwe have turned medical personnelfirst responders into cannon fodder", + "https://journal-neo.org/", + "FAKE", + 0.06050012862335138, + 1974 + ], + [ + "Did China Steal Coronavirus From Canada And Weaponize It?", + "last year a mysterious shipment was caught smuggling coronavirus from canada it was traced to chinese agents working at a canadian lab subsequent investigation by greatgameindia linked the agents to chinese biological warfare program from where the virus is suspected to have leaked causing the wuhan coronavirus outbreakon june 13 2012 a 60yearold saudi man was admitted to a private hospital in jeddah saudi arabia with a 7day history of fever cough expectoration and shortness of breath he had no history of cardiopulmonary or renal disease was receiving no longterm medications and did not smokeegyptian virologist dr ali mohamed zaki isolated and identified a previously unknown coronavirus from his lungs after routine diagnostics failed to identify the causative agent zaki contacted ron fouchier a leading virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier sequenced the virus from a sample sent by zaki fouchier used a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to test for distinguishing features of a number of known coronaviruses known to infect humansthis coronavirus sample was acquired by scientific director dr frank plummer of canadas national microbiology laboratory nml in winnipeg directly from fouchier who received it from zaki this virus was reportedly stolen from the canadian lab by chinese agentsthe canadian lab coronavirus arrived at canadas nml winnipeg facility on may 4 2013 from the dutch lab the canadian lab grew up stocks of the virus and used it to assess diagnostic tests being used in canada winnipeg scientists worked to see which animal species can be infected with the new virusresearch was done in conjunction with the canadian food inspection agencys national lab the national centre for foreign animal diseases which is housed in the same complex as the national microbiology laboratorynml has a long history of offering comprehensive testing services for coronaviruses it isolated and provided the first genome sequence of the sars coronavirus and identified another coronavirus nl63 in 2004this winnipeg based canadian lab was targeted by chinese agents in what could be termed as biological espionagechinese biological espionage in march 2019 in mysterious event a shipment of exceptionally virulent viruses from canadas nml ended up in china the event caused a major scandal with biowarfare experts questioning why canada was sending lethal viruses to china scientists from nml said the highly lethal viruses were a potential bioweaponfollowing investigation the incident was traced to chinese agents working at nml four months later in july 2019 a group of chinese virologists were forcibly dispatched from the canadian national microbiology laboratory nml the nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etcthe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu qiu was the head of the vaccine development and antiviral therapies section in the special pathogens program at canadas nmlxiangguo qiu is an outstanding chinese scientist born in tianjin she primarily received her medical doctor degree from hebei medical university in china in 1985 and came to canada for graduate studies in 1996 later on she was affiliated with the institute of cell biology and the department of pediatrics and child health of the university of manitoba winnipeg not engaged with studying pathogensbut a shift took place somehow since 2006 she has been studying powerful viruses in canadas nml the viruses shipped from the nml to china were studied by her in 2014 for instance together with the viruses machupo junin rift valley fever crimeancongo hemorrhagic fever and hendrainfiltrating the canadian labdr xiangguo qiu is married to another chinese scientist dr keding cheng also affiliated with the nml specifically the science and technology core dr cheng is primarily a bacteriologist who shifted to virology the couple is responsible for infiltrating canadas nml with many chinese agents as students from a range of chinese scientific facilities directly tied to chinas biological warfare program namelyinstitute of military veterinary academy of military medical sciences changchun center for disease control and prevention chengdu military region wuhan institute of virology chinese academy of sciences hubei institute of microbiology chinese academy of sciences beijing all of the above four mentioned chinese biological warfare facilities collaborated with dr xiangguo qiu within the context of ebola virus the institute of military veterinary joined a study on the rift valley fever virus too while the institute of microbiology joined a study on marburg virus noticeably the drug used in the latter study favipiravir has been earlier tested successfully by the chinese academy of military medical sciences with the designation jk05 originally a japanese patent registered in china already in 2006 against ebola and additional viruseshowever the studies by dr qiu are considerably more advanced and apparently vital for the chinese biological weapons development in case coronavirus ebola nipah marburg or rift valley fever viruses are included thereinthe canadian investigation is ongoing and questions remain whether previous shipments to china of other viruses or other essential preparations took place from 2006 to 2018 one way or anotherdr xiangguo qiu also collaborated in 2018 with three scientists from the us army medical research institute of infectious diseases maryland studying postexposure immunotherapy for two ebola viruses and marburg virus in monkeys a study supported by the us defense threat reduction agencythe wuhan coronavirusdr xiangguo qiu made at least five trips over the school year 201718 to the above mentioned wuhan national biosafety laboratory of the chinese academy of sciences which was certified for bsl4 in january 2017 moreover in august 2017 the national health commission of china approved research activities involving ebola nipah and crimeancongo hemorrhagic fever viruses at the wuhan facilitycoincidentally the wuhan national biosafety laboratory is located only 20 miles away from the huanan seafood market which is the epicenter of the coronavirus outbreak dubbed the wuhan coronavirusthe wuhan national biosafety laboratory is housed at the chinese military facility wuhan institute of virology linked to chinas biological warfare program it was the first ever lab in the country designed to meet biosafetylevel4 bsl4 standards the highest biohazard level meaning that it would be qualified to handle the most dangerous pathogens in january 2018 the lab was operational for global experiments on bsl4 pathogens wrote guizhen wu in the journal biosafety and health after a laboratory leak incident of sars in 2004 the former ministry of health of china initiated the construction of preservation laboratories for highlevel pathogens such as sars coronavirus and pandemic influenza virus wrote guizhen wucoronavirus bioweaponthe wuhan institute has studied coronaviruses in the past including the strain that causes severe acute respiratory syndrome or sars h5n1 influenza virus japanese encephalitis and dengue researchers at the institute also studied the germ that causes anthrax a biological agent once developed in russiacoronaviruses particularly sars have been studied in the institute and are probably held therein said dany shoham a former israeli military intelligence officer who has studied chinese biowarfare he said sars is included within the chinese bw program at large and is dealt with in several pertinent facilitiesjames giordano a neurology professor at georgetown university and senior fellow in biowarfare at the us special operations command said chinas growing investment in bioscience looser ethics around geneediting and other cuttingedge technology and integration between government and academia raise the spectre of such pathogens being weaponized that could mean an offensive agent or a modified germ let loose by proxies for which only china has the treatment or vaccine this is not warfare per se he said but what its doing is leveraging the capability to act as global saviour which then creates various levels of macro and micro economic and biopower dependencieschinas biological warfare programin a 2015 academic paper shoham of barilans beginsadat center for strategic studies asserts that more than 40 chinese facilities are involved in bioweapon productionchinas academy of military medical sciences actually developed an ebola drug called jk05 but little has been divulged about it or the defence facilitys possession of the virus prompting speculation its ebola cells are part of chinas biowarfare arsenal shoham told the national postebola is classified as a category a bioterrorism agent by the us centers for disease control and prevention meaning it could be easily transmitted from person to person would result in high death rates and might cause panic the cdc lists nipah as a category c substance a deadly emerging pathogen that could be engineered for mass disseminationchinas biological warfare program is believed to be in an advanced stage that includes research and development production and weaponization capabilities its current inventory is believed to include the full range of traditional chemical and biological agents with a wide variety of delivery systems including artillery rockets aerial bombs sprayers and shortrange ballistic missilesweaponizing biotech chinas national strategy of militarycivil fusion has highlighted biology as a priority and the peoples liberation army could be at the forefront of expanding and exploiting this knowledge the pla is pursuing military applications for biology and looking into promising intersections with other disciplines including brain science supercomputing and artificial intelligence since 2016 the central military commission has funded projects on military brain science advanced biomimetic systems biological and biomimetic materials human performance enhancement and new concept biotechnologyin 2016 an amms doctoral researcher published a dissertation research on the evaluation of human performance enhancement technology which characterized crisprcas as one of three primary technologies that might boost troops combat effectiveness the supporting research looked at the effectiveness of the drug modafinil which has applications in cognitive enhancement and at transcranial magnetic stimulation a type of brain stimulation while also contending that the great potential of crisprcas as a military deterrence technology in which china should grasp the initiative in developmentin 2016 the potential strategic value of genetic information led the chinese government to launch the national genebank which intends to become the worlds largest repository of such data it aims to develop and utilize chinas valuable genetic resources safeguard national security in bioinformatics and enhance chinas capability to seize the strategic commanding heights in the domain of biotechnology warfarechinese militarys interest in biology as an emerging domain of warfare is guided by strategists who talk about potential genetic weapons and the possibility of a bloodless victory\n", + "https://www.zerohedge.com/", + "FAKE", + 0.04987236355194104, + 1724 + ], + [ + "Wild Edibles Missouri", + "cdc warns that morchella the true morel mushroom could increase your chances contracting coronavirus disease 2019 covid19 by 200 if you all a loved one finds these growing this spring please do not disturb them report all sightings to me and i will dispose of the properly ", + "Facebook", + "FAKE", + 0.3499999999999999, + 47 + ], + [ + "Yes, the coronavirus could have been completely synthesized in a lab without leaving a trace", + "could the new coronavirus have been created in a lab writing in medium youthereum genetics ceo yuri deigin said that he believes its quite plausible he writes that labs across the planet have been creating viruses just like this one for a long time and while skeptics say that there would be some sign of human manipulation in its genome modern genetic engineering tools enable genomic fragments to be cut and pasted without leaving a single trace not only that but he insists its something that can be carried out quickly citing the fact that a swiss team created an authentic clone of cov2 in under a monthat first deigin thought the idea of the virus being a lab creation was little more than a conspiracy theory in fact it was only when he was researching the situation to support his belief that he first started having doubts one big red flag as he looked further into the research activities coronavirologists have been carrying out in the past two decades he found that making chimeras like cov2 was pretty common in their labsmoreover he said that virologists like the coronavirus research leader at wuhan institute of virology shi zhengli have been doing precisely this type of thing since at least 2007 in 2017 they created eight new chimeric coronaviruses there they even said in an nih grant that they wanted to create live synthetic viral clones for research purposesnobel prize laureate luc montagnier a codiscoverer of hiv agrees with the lab theory he believes that covid19 resulted from an attempt to create a vaccine for aids that escaped from a lab although his analysis has not yet been peer reviewed he thinks that it came about from inserting dna sequences from hiv into a coronavirusa third of americans believe coronavirus was made in a labaccording to a survey almost a third of americans believe coronavirus was indeed a lab creation the pew research center survey which was carried out between march 10 and 16 involved nearly 9000 adults twentynine percent of americans said they thought the virus was most likely created in a lab nearly a quarter of adults say they think the strain currently wreaking havoc on the world was developed intentionally in a lab 6 percent think it was most likely made by accidentyounger people are even more convinced with a third of adults between the ages of 18 and 29 thinking it was developed in a lab versus 21 percent of adults aged 65 and older who believe the same the survey revealed several other divides as well people with a bachelors degree or higher were less likely than those with less education to say the new virus was created in a lab while more republicans than democrats believed it was labborn at 37 percent versus 21 percentfor his part deigin says that theres no evidence of what really happened but he does believe there has been a series of strange coincidences that are hard to ignore he said that for cov2 to have arisen naturally bat and pangolin strains would have needed to meet in the same cell of an animal in wuhan where the outbreak started however since bats werent sold at the wuhan market and tend to hibernate at that time of year and no other carriers of ancestral strains have been found natural emergence is also difficult to provetheres also the fact that american experts raised concerns after a 2018 visit to the wuhan institute of virology about safety within the lab particularly when it came to their work with bat coronaviruses they contacted washington to ask for more us attention and support to the lab to help correct these issues they noted a shortage of trained technicians and investigators there at the timewe may never know how this deadly disease got its start as deigin said a good genetic engineer would be able to create a synthetic virus that is impossible to distinguish from a natural one he added that he doesnt want his post to be used to propagate onesided theories but he does wish to draw attention to the dangers of the gainoffunction research that goes on in virology", + "https://www.naturalnews.com/", + "FAKE", + 0.08383116883116883, + 699 + ], + [ + "This scientist suggested a drug to treat Covid-19. 'Fact checkers' branded him fake news", + "amid a pandemic panic over the coronavirus evidence for a possibly effective treatment has been denounced as fake news even when offered by a renowned scientist with decades of experiencetake didier raoult a french microbiologist with undeniable expertise even if some of his views are about as eccentric as his appearance though he may look like he just stepped out of an alexandre dumas novel the director of the mediterranean university hospital institute in marseille cited not one but three different studies from china showing that the antimalaria drug called chloroquine has been effective in treating covid19 patients that did not stop le monde frances biggest newspaper of declaring his february 25 video as partially false raoults sin was to argue that the common antimalaria drug used widely for decades resulted in dramatic improvements among those afflicted by the virusas a result of le mondes factcheck anyone attempting to share dr raoults videos on facebook gets a banner saying the information therein was partially false as determined by independent factcheckers the main argument put forward by those critical of the drug is that more testing is required before it can be officially approved as treatment for the coronavirus as the us centers for disease control and prevention cdc puts it there are no currently available data from randomized clinical trialsto inform clinical guidance on the use dosing or duration of hydroxychloroquine treatments for covid19which is fair enough but last time i checked there was a pandemic going on with billions of people locked in their homes and all business grinding to a halt across the globe over apocalyptic predictions of hospitals brimming with corpses due to this coronavirusshould any kind of treatment especially a drug that has been used safely for decades to treat something else with side effects meticulously documented be so cavalierly rejected under the circumstances do experts really think the world has the luxury of waiting for months or even years for their controlled lab studiesas for the factcheckers shouldnt they have applied the same rigor to the models used to scare everyone into hoarding toilet paper and setting off a depression orders of magnitude worse than anything the world has ever seento ask these questions is to answer them yet no one seems to bother nor is this sort of selective blindness endemic to france across the atlantic the mainstream media raised their voices in unison against chloroquine after us president donald trump brought it up as a possible treatment apparently referring to dr raoults work they went so far as to widely circulate a deliberately misleading story about an arizona couple that ate fish tank cleaner chloroquine phosphate clearly labeled not for human consumption as somehow trumps fault some of them quietly amended it to specify the difference but long after the original story implying they took the actual medication praised by the president literally went viral and poisoned the minds of millions worse yet as a result of this media blitz the governor of nevada actually banned using chloroquine to treat covid19 patients this week saying there was no consensus among experts or nevada doctors that the antimalaria drug can treat coronavirus sufferers there were no angry editorials denouncing steve sisolak a democrat for letting people die or the coronavirus rather than have them treated with a drug endorsed by the republican president and the medias favorite hate objectone would think the world paralyzed with fear of the invisible death would pounce on every possible solution no matter how unlikely it seems thats what were shown in hollywood disaster movies after all yet when such a solution presents itself it is dismissed and denounced as not proven were supposed to blindly trust apocalyptic models produced by panicmongering political hacks but ignore the man who says the drug brought him back from the brink of death even though his story can be easily verified and theirs cannot preferring opinions to facts is a disease dr raoult told the french magazine marianne last week just soi dont know if hydroxychloroquine works on covid19 dr raoult seems to believe so and hes not alone in the absence of better solutions and locking billions of people in their homes indefinitely is not one dont we owe humanity to at least try what do we have to lose in the three months or so since the coronavirus first appeared in china there has been a lot of conflicting confusing and outright false information about it one thing that has consistently proven true however is that the biggest obstacle in effectively battling its spread and treating the afflicted has been the obtuse insistence of the political and medical establishment on blindly following their rules if the virus is truly threatening to kill millions as they say they would not value procedures over saving lives nevertheless they persist it makes one wonder why", + "https://www.rt.com/", + "FAKE", + 0.02175925925925925, + 812 + ], + [ + "Dr. Tenpenny: This is The Biggest Scam Ever Perpetrated on The Human Race", + "in this explosive interview spiro skouras is joined by dr sherri tenpenny the two discuss the latest developments regarding the coronavirus situation which was declared a global health pandemic by the gatesfunded world health organization as more information comes to light questioning the need for a global lockdown\ndr tenpenny and spiro examine and explore the motives of the global response by governments global institutions and private interests as dr tenpenny exposes perhaps the most alarming aspect of the crisis yetno it is not the virus it is the blank check issued to the vaccine and drug manufacturers which not only provides unlimited funding but also provides blanket immunity to big pharma for any harm attributed with the treatments produced during the declared emergency including all drugs and vaccinesthis blanket immunity is provided by the us government under the prep act and provides the drug and vaccine manufacturers the ultimate blank check during a declared emergency as dr tenpenny points out the vaccine and drug manufacturers have zero incentive to produce a safe product as the declared emergency not only rolls back regulatory standards and removes them from any and all liability but it also ensures the government will purchase their productsthis is an unprecedented level of immunity which raises many questions and safety concerns", + "https://www.activistpost.com/", + "FAKE", + 0.16999999999999998, + 215 + ], + [ + null, + "drinking hot water with lemons will cure or prevent covid19 drinking hot water with lemons and sodium bicarbonate will alkalize the immune system and cure or prevent covid19", + null, + "FAKE", + 0.25, + 28 + ], + [ + "COVID-19 Coronavirus: A False Pandemic? Who is behind this? Global economic, social and geopolitical destabilization", + "the hype and disinformation campaign about the spread of the new covid19 coronavirus has created a climate of fear and uncertainty around the world since who declared it a medical emergency international public health on january 30 the fear campaign is underway creating panic and uncertainty national governments and who mislead the publicabout 84000 people in at least 56 countries have been infected and about 2900 have died said the new york times what the newspaper fails to mention is that 98 of infections are in mainland china there are fewer than 5000 confirmed cases outside of china who february 28 2020 at the moment there is no real pandemic outside of mainland china the numbers speak for themselves at the time of this writing the number of confirmed cases in the us is 64 the number is minimal but the media is spreading panicthere are however 15 million cases of influenza in the usa the latest fluview surveillance report from the us center for disease control and prevention cdc indicates that on january 18 2020 there were 15 million influenza cases 140000 hospitalizations and 8200 deaths in this influenza season in the usa emphasis added covid19 pandemic data on february 28 2020 the world health organization who reported 83652 confirmed cases of covid19 including 78961 in mainland china outside china there were 4691 who february 28 2020 see table on the right who also reported 2791 deaths including only 67 outside of mainland china these figures confirm that the pandemic is mainly confined to mainland china in addition recent data tend to show that the epidemic in china is under control on february 21 2020 the national health commission of the peoples republic of china reported that 36157 patients were declared cured and discharged from hospital see chart belowchinese reports confirm that people have received treatment and are recovering from the viral infection the number of infected patients is also decreasing according to the national pharmaceutical administration of china hospitals use the antiviral drug favilavir to treat coronavirus with minimal side effectslets look at the numbersthe world population is around 78 billion peoplethe population of china is around 14 billion peoplethe world population minus china is around 64 billion people4691 confirmed cases and 67 reported deaths outside of china out of a population of 64 billion do not constitute a pandemic 4691 6400000000 000000073 0000073 in the usa 64 cases out of a population of around 330 million do not constitute a pandemic data from february 28 64 330000000 why propaganda racism against people of chinese origin a deliberate campaign against china has been launched and a wave of racist sentiments against people of chinese origin is underway largely peddled by the western mediathe economist reports that the coronavirus spreads racism against people of chinese origin and also among themselvesfear of covid19 causes people to behave badly including some chinesethe chinese community in great britain is facing racism because of the coronavirus epidemic according to the scmpchinese communities abroad are increasingly facing racist abuse and discrimination in the context of the coronavirus epidemic some people of chinese origin living in the uk say they have been the victims of growing hostility due to the deadly virus from chinathe new york times reported on march 30 that president trump backed down from his previous statement that by april 12 the covid19 lockout should be over and its time to think about back to work instead he said an extension until the end of april was necessary and perhaps even until june this he said followed the advice of his advisers including dr anthony fauci director of the national institute of allergy and infectious diseases niaid within the national institute for health nih the covid19 virus has so far caused far fewer infections and deaths than regular flu in recent years the who reported on march 30 750000 infections worldwide and 36000 deaths in the united states there are approximately 161000 cases and 3000 deaths yet whistleblower fauci says there could be millions of cases of coronavirus in the united states and 100000 to 200000 deaths and coincidentally bill gates does the same using roughly the same numbers\nall this with the idea of imposing a vaccine on the populationa multibillion dollar vaccine is not necessaryniad and the bill and melinda gates foundation are collaborating to develop a covid19 vaccinechina has shown that the covid19 virus can be brought under control at relatively low cost and with strict discipline and traditional medicines the same drugs and measures have been used for centuries to successfully prevent and cure all kinds of viral diseasesfirst of all a vaccine against covid19 or against coronaviruses in general is a vaccine against influenza vaccines do not cure ideally influenza vaccines can prevent the virus from affecting a patient as much as it would without a vaccine the effectiveness of influenza vaccines is generally evaluated between 20 and 50 above all vaccines are a huge financial bonus for large pharmaceutical companiesthen here are a multitude of remedies that have proven to be very effective see also this and thatthe french professor didier raoult which is one of the five best scientists in the world in the field of communicable diseases has suggested the use of hydroxychloroquine chloroquine or plaquenil a well known drug simple and low covid19 more hydroxychloroquine data from francecost also used to fight malaria which has been shown to work with previous coronaviruses such as sars from midfebruary 2020 clinical trials at his institute and in china have already confirmed that the drug can reduce viral load and bring a dramatic improvement chinese scientists have published their first trials on more than 100 patients and announced that the chinese national health commission would recommend chloroquine in its new guidelines for the treatment of the covid19 viruschina and cuba are collaborating on the use of interferon alpha 2b a highly effective antiviral drug developed in cuba for 39 years but little known to the world due to the embargo imposed by the united states on everything which comes from cuba interferon has also been shown to be very effective in the fight against covid19 and is now produced in a joint venture in china there is an old natural indian ayurvedic medicine curcumin which comes in the form of c90 capsules it is an antiinflammatory and antioxidant compound that has been used successfully to treat cancer infectious diseases and yes coronaviruses\nother simple but effective remedies include the use of large doses of vitamin c as well as vitamin d3 or more generally the use of essential micronutrients to fight infections especially vitamins a b c d summer another remedy used for thousands of years by the ancient chinese romans and egyptians is colloidal silver products they come in the form of a liquid to be administered orally or to be injected or to be applied to the skin colloidal silver products strengthen the immune system fight bacteria and viruses and have been used to treat cancer hiv aids shingles herpes eye conditions prostatitis and covid19\na simple and inexpensive remedy to use in combination with others is the mentholbased mentholatum it is used for common flu and cold symptoms applied on and around the nose it acts as a disinfectant and prevents germs from entering the respiratory tract including coronavirusesnorthern italy and new orleans report that an unusual number of patients had china is using cubas interferon alfa 2b against coronavirus to be hospitalized in intensive care units icus and placed on a 24hour 7dayaday ventilator some of them not reacting and falling into respiratory failure the reported mortality rate is around 40 this condition is called acute respiratory distress syndrome ards this means that the lungs are filled with fluid when this description of ards episodes applies dr raoult and other medical colleagues recommend covid19 patients to sleep sit until they are cured this allows the fluid to escape from the lungs this method has been known for its effectiveness since it was first documented during the 1918 spanish flu epidemicfinally chinese researchers in cooperation with cuban and russian scientists are also developing a vaccine that may soon be ready for testing this vaccine would attempt to attack not only a single strand of coronavirus but also the basic genome of coronaviral rna rna ribonucleic acid to prevent new mutations in coronaviruses unlike the west which works exclusively for profit the sinocubanrussian vaccine would be made available to the whole world at a low pricethese alternative remedies cannot be found on the internet controlled by the major pharmaceutical companies internet references if any may discourage their use at best they will tell you that these products or methods have not proven to be effective and at worst that they can be harmful dont believe it none of these products or methods are harmful remember that some of them have been used as natural remedies for thousands of years and dont forget that china has successfully mastered covid19 using some of these relatively simple and inexpensive drugsfew doctors know these practical simple and inexpensive remedies the media under pressure from giants of the pharmaceutical industry and government agencies that comply with it were asked to censor this valuable information neglect or inability to publicize these readily available remedies takes their tollthe role of bill gates and locking bill gates may have been one of trumps advisers suggesting that he extend the return to work date at least until the end of april and if gates wants it at least until in june it remains to be seen gates is very very powerfulbill gates says us has missed chance to avoid coronavirus closure and businesses should stay closed the bill and melinda gates foundation will be the source of the organization of mass vaccination which should be launched in the period following containmentthe vaccination association includes the coalition for epidemic preparedness innovations cepi a semingo to which nih niaid has entrusted the supervision of the vaccination program with the support of bill gates gavi the global alliance for vaccines and immunization also a creation of bill gates supported by who also heavily funded by the gates foundation the world bank and unicef as well as a myriad of pharmaceutical partnersbill gates also strongly suggests that travelers must have a vaccination certificate in their passports before boarding a plane or entering a countrythe implementation of the program including a related global electronic identity program possibly administered using nanos chips that could be integrated into the vaccine itself would be overseen by the littleknown agency agenda id2020 which is also an initiative from the bill and melinda gates foundationbill gates is also known as a fervent proponent of a drastic and selective reduction of the population knowing what we know who would trust any vaccine with the signature of bill gates the hope that this evil enterprise will not succeed is very important economic war against china the us strategy is to use covid19 to isolate china despite the fact that the us economy relies heavily on chinese importsthe shortterm disorganization of the chinese economy is largely due to the temporary closure of trade and transportation circuitsthe public health emergency declared by the who is combined with media misinformation and a ban on flights to china panic on wall street media disinformation has taken on another dimension by causing panic on the stock markets fear of the coronavirus has led to a fall in financial markets around the world according to reports the value of the worlds stock markets has plummeted by around 6 trillion this decline has so far been on the order of 15 or morethis causes massive losses in personal savings ie average americans to which are added personal bankruptcies and corporate bankruptciesit is also a boon for institutional speculators especially for corporate hedge funds the financial meltdown leads to large transfers of monetary wealth in the pockets of a handful of financial institutionsthe most ironic is that analysts casually link the collapse of the markets to the spread of the virus when there are only 64 confirmed cases in the usano wonder the markets are going down the virus has grown so much could we predict the financial crash of february it would be naive to believe that the financial crisis was only due to market forces that responded spontaneously to the spread of covid19 the market was already carefully manipulated by powerful players who use speculative instruments in the derivatives markets including short selling the unspoken objective is the concentration of wealth it was quite a financial boon for the insiders who knew in advance what would lead to whos decision to declare a public health emergency of international concern on january 30was the covid19 ncov2019 pandemic known in advance what are the likely repercussionson october 18 2019 the johns hopkins center for health security in baltimore undertook a carefully crafted simulation exercise of a coronavirus outbreak called ncov2019 in the exercise called event 201 simulation of a coronavirus pandemic we simulated a stock market fall of 15 it was not planned according to event organizers and sponsors the bill and melinda gates foundation and the world economic forumthe simulation carried out in october called ncov2019 took place barely two months before the appearance of covid19 john hopkins pandemic simulation simulated a stock market drop of 15 or more video section 00 12 which largely corresponds to the drop that really took place at the end of february 2020 many aspects of this simulation exercise actually correspond to what actually happened when the directorgeneral of who declared a public health emergency of international concern on january 30 2020 what needs to be understood is that those who sponsored the john hopkins center simulation exercise are powerful and knowledgeable in the areas of global health b and m gates foundation and the world economy gefit should also be noted that who initially adopted a similar acronym to denote the coronavirus to that of the john hopkins center pandemic simulation exercise ncov2019 before changing it to covid19 corruption and the role of whowhat motivated the who director general dr tedros adhanom ghebreyesus to declare that the ncov2019 is a public health emergency of international concern on 30 january when the epidemic was largely confined to mainland chinaeverything suggests that the director general of who tedros served the interests of powerful corporate partnersaccording to f william engdahl tedros has longstanding ties to the clintons and the clinton foundation he is also closely linked to the bill and melinda gates foundation along with the world economic forum in davos the gates foundation sponsored the john hopkins ncov2019 simulation exerciseas minister of health tedros also chaired the global fund to fight aids tuberculosis and malaria of which the gates foundation was the cofounder the global fund has been marred by fraud and corruption scandals during the threeyear campaign by tedros to get his post at who he was accused of hiding three major cholera epidemics while he was ethiopias minister of health falsely qualifying the cases acute watery diarrhea a symptom of cholera to minimize the scale of the epidemic an accusation he denied engdahl op cita massive vaccine development campaign has been ordered by who directorgeneral tedros adhanom ghebreyesus many pharmaceutical companies are already working on itin this regard it is important to recall the fraud of the who during the mandate of its predecessor dr margaret chan who said this about the h1n1 swine flu pandemic in 2009 vaccine manufacturers can produce 49 billion influenza vaccines a year at best margaret chan executive director of the world health organization cited by reuters on july 21 2009 underline addedthere was no h1n1 pandemic in 2009 it was a fraud to make money as revealed by the european parliament what is the next step in the covid19 pandemic is it a fake or a true pandemicthe propaganda against china is not overnor is the fear pandemic outside of china despite the really low number of confirmed casesthe financial crisis continues supported by media disinformation and financial interferenceif normal business relationships and transportation between the us and china are not restored the delivery of made in china consumer goods exported to the united states will be jeopardizedthis situation could trigger a major crisis in the retail trade in the usa where made in china goods constitute a significant part of monthly household consumption from a public health perspective the prospects for eliminating covid19 in china are favorable progress has already been reported in the rest of the world where there were approximately 3000 confirmed cases on february 28 2020 the covid19 pandemic continues along with propaganda for a global vaccination programwithout a fear campaign combined with fake news covid19 would not have made headlinesfrom a medical point of view is global vaccination indicated 433 of confirmed cases in china are now considered recovered see graph above western reports do not distinguish between confirmed cases and confirmed infected cases it is the latter cases that are relevant the trend is towards a recovery and a decrease in confirmed infected cases\nthe who massive vaccination campaign mentioned above was duly confirmed by its directorgeneral dr tedros adhanom ghebreyesus on february 28\n more than 20 vaccines are being developed worldwide and several therapeutic products are undergoing clinical trials the first results of which are expected in a few weeks emphasis added it goes without saying that this who decision constitutes another financial windfall for the five main vaccine producers glaxosmithkline novartis merck co sanofi and pfizer which control 85 of the vaccine market according to cnbc emphasis added these companies have entered the race to fight the deadly coronavirus and are working on programs to create vaccines or drugs sanofi is teaming up with the us government to develop a vaccine against the new virus hoping that its work on the the 2003 sars outbreak will speed up the process in 2019 merck earned 84 billion in revenues from the vaccine market a growing segment at an annual rate of 9 since 2010 according to bernsteinglaxosmithkline announced this month its partnership with the coalition for epidemic preparedness innovations cepi for a vaccination program cepi was launched at the 2017 world economic foruminterestingly cepi launched in davos in 2017 is supported by the bill and melinda gates foundation the wellcome trust a multibillion dollar british humanitarian foundation and the world economic forum the governments of norway and india are members and their role is mainly to finance cepichronology october 18 2019 the b and m gates foundation and the world economic forum are partners in the pandemic simulation exercise at ncov2019 conducted by the john hopkins center for health security in october 2019december 31 2019 china alerts the who to the discovery of several cases of unusual pneumonia in wuhan hubei provincejanuary 7 2020 chinese officials say they have identified a new virus who names the new virus 2019ncov exactly the same name as the virus which was the object of the simulation exercise of the john hopkins center except the placement of the datejanuary 2425 2020 davos summit under the auspices of cepi which is also the fruit of a partnership between the world economic forum and the gates foundation during which the development of a vaccine against the 2019 ncov is announced 2 weeks after the announcement of january 7 2020 and barely a week before the declaration of a public health emergency of international scope by the who january 30 2020 the who director declares a public health emergency of international concern now a vaccination campaign has been launched to stop covid19 under the auspices of cepi in partnership with glaxosmithkline conclusion covid19 aka ncov2019 represents a treasure worth billions of dollars for large pharmaceutical companies but it also contributes to precipitating humanity into a dangerous process of economic social and geopolitical destabilization", + "https://www.mondialisation.ca/", + "FAKE", + 0.08166234277936399, + 3324 + ], + [ + null, + "using a hair dryer to breathe in hot air can cure covid19 and stop its spread", + "Youtube", + "FAKE", + 0.25, + 16 + ], + [ + "Role of 5G in the Coronavirus Epidemic in Wuhan China", + "wuhan the capital of hubei province in china was chosen to be chinas first 5g smart city and the location of chinas first smart 5g highway wuhan is also the center of the horrendous coronavirus epidemic the possible linkage between these two events was first discussed in an oct 31 2019 article entitled wuhan was the province where 5g was rolled out now the center of deadly virus https5gemfcomwuhanwastheprovincewhere5gwasrolledoutnowthecenterofdeadlyvirusthe question that is being raised here is not whether 5g is responsible for the virus but rather whether 5g radiation acting via vgcc activation may be exacerbating the viral replication or the spread or lethality of the disease lets backtrack and look at the recent history of 5g in wuhan in order to get some perspective on those questions an asia times article dated feb 12 2019 httpswwwasiatimescom201902articlechinatolaunchfirst5gsmarthighway stated that there were 31 different 5g base stations that is antennae in wuhan at the end of 2018 there were plans developed later such that approximately 10000 5g antennae would be in place at the end of 2019 with most of those being on 5g led smart street lamps the first such smart street lamp was put in place on may 14 2019 wwwchinaorgcnchina20190514content_74783676htm but large numbers only started being put in place in october 2019 such that there was a furious pace of such placement in the last 2 ½ months of 2019 these findings show that the rapid pace of the coronavirus epidemic developed at least roughly as the number of 5g antennae became extraordinarily high so we have this finding that chinas 1st 5g smart city and smart highway is the epicenter of this epidemic and this finding that the epidemic only became rapidly more severe as the numbers of 5g antennae skyrocketedare these findings coincidental or does 5g have some causal role in exacerbating the coronavirus epidemic in order to answer that question we need to determine whether the downstream effects of vgcc activation exacerbate the viral replication the effects of viral infection especially those that have roles in the spread of the virus and also the mechanism by which this coronavirus causes deathaccordingly the replication of the viral rna is stimulated by oxidative stressther aspects of viral replication including those involved in the spread of the virus are stimulated by increased intracellular calcium ca2i oxidative stress nfkappab elevation inflammation and apoptosis each of which are increased following emf exposure the first citation below shows an important role of vgcc activation in stimulating coronavirus infectionthe predominant cause of death from this coronavirus is pneumonia pneumonia is greatly exacerbated by each of those five downstream effects of vgcc activation excessive intracellular calcium oxidative stress nfkappab elevation inflammation and apoptosis the first of the citations listed below shows that calcium channel blockers the same type of drugs that block emf effects are useful in the treatment of pneumonia this predicts that emfs acting via vgcc activation will produce increasingly severe pneumonia and therefore 5g radiation as well as other types of emfs may well increase pneumonia deathsthese all argue that 5g radiation is likely to greatly exacerbate the spread of the coronavirus and to greatly increase the lethality of the infections produced by it the good news is that it is likely that those of us that live in areas with no 5g radiation and who avoid other emfs wherever possible will probably escape much of the impacts of this prospective global pandemic it is highly probable that one of the best things wuhan can do to control the epidemic in the city is to turn off the 4g5g system", + "https://smombiegate.org/", + "FAKE", + 0.12468412942989214, + 600 + ], + [ + "Supermarkets Are Recalling Coronavirus-Infected Toilet Paper", + "supermarkets are currently recalling toilet paper as the cardboard roll inserts are imported from china and there are strong fears the cardboard has been contaminated with the coronavirus the most recent purchases are deemed most likely to be contaminated if you have recently bought bulk supplies you are now at riskreturn that toilet paper and apply deep heat directly to your anus to kill any infection dont wait till its too late", + "Facebook", + "FAKE", + 0.09722222222222221, + 72 + ], + [ + "IT IS NOT PLAUSIBLE THAT THE COVID-19 DEVELOPED NATURALLY", + "covid19 a disease that many experts werent expecting for a hundred thousand years is a highly modified version of the wuhan horseshoe bat virus it is not plausible that covid19 developed without a genesplicing laboratory the odds against such a disease developing naturally are astronomical yet we are continually informed of the opposite", + "https://journal-neo.org/", + "FAKE", + 0.08714285714285715, + 53 + ], + [ + "Hold your breath – coronavirus is coming!", + "as if we didnt have enough to worry about with terrorism nuclear proliferation and yes political enemies now we have the threat in fact a very real one of what could be an international health catastropheand it all goes back to chinatheres a new and apparently deadly virus circulating in that country but what has health officials worldwide worried is that it is spreading faster than first anticipated it started in wuhan china in late december but by midjanuary had spread to 13 countriesdespite that world health organization officials are reluctant to call it a public health emergencywhat do we call that kind of disease spread according to who officials an epidemic is a disease that spreads in a smaller community country region or continentthat certainly gives it wide leewaythe next category is a pandemic a disease usually a new one that spreads worldwide with terrible numbers of deathsfrom what we are seeing now i think were well on our way to that situation although health officials so far are playing it safe with their predictionsthe culprit is called a coronavirus its new never been seen before we dont know where it came from there is no prevention no cure and even treatment is limitedwhats interesting is that china has a national biosafety laboratory in wuhan it opened in january 2018 and its dedicated to studying such viruses such as sars and ebola and yes corona there has been speculation that perhaps the virus got loose from the lab and that is what started it allregardless at this point china has quarantined the entire city of wuhan and is doing the same with at least 13 other cities canceled chinese new year celebrations parts of the great wall are shut down disneyland in shanghai is closed as are many mcdonalds restaurants across the country millions of people are affected by the crackdown on travelthe government had ordered the immediate building of a new hospital to treat coronavirus patients because existing facilities are filled to their limits transportation has been limited the military is on the streets and in fact it appears the country is virtually locked downwhile there hasnt been an official notice of the dangers of the massive spread of the disease airlines and airports across the world are taking precautions passengers are being checked for symptoms of a cold or flu and their temperatures are being monitoredscreening at us airports began at kennedy in new york in los angeles and san francisco then atlanta was added as well as ohare in chicago others are being added as suspicious cases are discovereda man in seattle was diagnosed then a woman in chicago whod just returned from china cases are being monitored in texas involving a returning passenger from mexico and possible patients at tennessee tech and texas amthe cdc is testing 63 other cases and its reported there are 10 people in isolation in california for further studythere is concern about all transportation to and from china of people and merchandisewhile there is caution in predicting the outcome of this disease spread scientists warn that worldwide tens of millions could die scientists at johns hopkins center for health safety said 65 million could die as the disease spreads worldwide in 18 monthsas i write coronavirus has been found in china the us nepal thailand singapore vietnam macau hong kong taiwan japan and south korea with suspicious cases in australia new zealand england scotland and ireland and at least 26 are dead thats probably a gross understatementit isnt known for certain how people contract it first thoughts were that it came from contact with animals either by contact or through eating themnow its just been determined that it is possible for it to spread from persontoperson transmission is through saliva which means that kissing coughing or sneezing is a danger but eating utensils could also transmit it symptoms are like a cold coughing sneezing sore throat runny nose difficulty breathing fever and then collapse pneumonia then follows then deathwe cannot cure it its difficult to contain antibiotics dont work and antiviral drugs and vaccines dont exist nor will they for a long time it does take time and costs millions for many victims it will be too latethis isnt the first time the world has been hit with a massive pandemic the spanish flu in 1918 killed 2050 million cholera flues in the 1800s killed over 2 million the black death in europe killed upwards of 200 million and devastated the continent more recently there was aids zica sars and ebolaone aspect of the disease is the effect on the economy without doubt travel has been affected its reported that shares in travel markets in china and hong kong dropped but one market share has surged companies that make surgical masks", + "https://www.wnd.com/", + "FAKE", + 0.015731430962200185, + 801 + ], + [ + null, + "coronavirus was patented back in 2015 in the united states the virus was introduced into china by one of the us military who took part in events in china at the end of 2019 former deputy minister of defense of germany willy wimmer", + "Dr. A. Sosnowski", + "FAKE", + -0.03333333333333333, + 43 + ], + [ + "CORONAVIRUS HOAX: Fake Virus Pandemic Fabricated to Cover-Up Global Outbreak of 5G Syndrome", + "5g syndrome goes global wuhan coronavirus pandemic staged to coverup the public health crisis caused by the intensive 5g rollout in wuhan in 2019 china was long ago set to be the 5g showcase for the world major metro areas and technology hubs like wuhan were selected to be official 5g demonstration zones only such a high concentration of 5g radiofrequency transmitters and microwave towers would permit a citywide buildout of the internet of things 2019 was the year wuhan the capital of hubei was expected to have 10000 5g base stations by the end of 2019 said song qizhu head of hubei provincial communication administration then the coronavirus hit so the whole world was told what really happened was that a new variant of the coronavirus was released in wuhan after the 5g experimenters saw an epidemic of 5g syndrome explode the 5g guinea pigs were literally dropping like flies as soon as they flipped the 5g switch the ers and urgent care clinics were overwhelmed the 5g scientists watching the burgeoning public health crisis immediately activated plan bblame it on a virulent flua bioengineered coronavirus that produces symptoms similar to 5g syndromeintelligence analyst and former us army officerthe new world order globalist cabal will not allow anything to impede the military deployment of 5g worldwidethats it", + "https://web.archive.org/", + "FAKE", + -0.009104278074866315, + 218 + ], + [ + "Hospitals Get Paid More to List Patients as COVID-19 and Three Times as Much if the Patient Goes on Ventilator", + "last night senator dr scott jensen from minnesota went on the ingraham angle to discuss how the ama is encouraging american doctors to overcount coronavirus deaths across the usthis was after dr scott jensen a minnesota physician and republican state senator told a local station he received a 7page document coaching him to fill out death certificates with a covid19 diagnosis without a lab test to confirm the patient actually had the virusdr jensen also disclosed that hospitals are paid more if they list patients with a covid19 diagnosisand hospitals get paid three times as much if the patient then goes on a ventilator", + "https://thespectator.info/", + "FAKE", + 0.11666666666666665, + 104 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "Rush Limbaugh makes obvious point that Wuhan coronavirus might have been a Chinese bioweapon that escaped from the lab", + "longtime listeners of conservative talk radio legend rush limbaugh know that he doesnt deal in tinfoil hat conspiracy theories so when he offers what might seem as a nonlinear or nontraditional take on an issue of the day its headturningmost americans may not have given the wuhan coronavirus much thought before this week before the virus hit american shores but some of those who have been tracking the outbreak since december when it first appeared in china have wondered whether it could have been some sort of biological weapon that the peoples liberation army was developingand earlier this week limbaugh echoed similar sentimentsits a respiratory system virus it probably is a chicom laboratory experiment that is in the process of being weaponized all superpower nations weaponize bioweapons they experiment with them the russians for example have weaponized fentanyl he said but in any event his comments about it being a potential bioweapon are not the first sen tom cotton rark thinks so too and for that he is being mocked by the very same mainstream media that lied about the trumprussia collusion hoax for nearly three yearsspecifically cotton suggested that the virus originated in chinas only biolevel 4 research facility which just happens to be in wuhan city the epicenter of the outbreak and furthermore cotton has never said there is 100 percent proof the virus is a bioweaponfailing to ask this question is the real conspiracy we dont have evidence that this disease originated there he said during a recent interview on fox news the new york times reported but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says and china right now is not giving evidence on that question at allmind you cotton is a harvardeducated lawyer and us army infantry officer with combat experience hes not a kook hes not a conspiracy theorist and hes not some wildeyed lunatic the times jeered mr cotton later walked back the idea that the coronavirus was a chinese bioweapon run amok but it is the sort of tale that resonates with an expanding chorus of voices in washington who see china as a growing sovietlevel threat to the united states echoing the anticommunist thinking of the cold war era rightwing media outlets fan the angerthis from a newspaper that again fanned the bs hoax that moscow and donald trump colluded to steal the election from hillary clinton for twoplus years and it was the same paper that repeatedly told readers former special counsel robert mueller had proof of that hoax when at the end of his probe his report said specifically that there was no evidence to support the claimwhats really interesting here is that mainstream media outlets like the times cnn the washington post usa today and others make wild claims about president trump and members of his administration based on less empirical evidence at least in the case of cotton and limbaugh there is enough circumstantial evidence to warrant suspicions and ask the question did the novel coronavirus as in this is the first time its been seen originate from the only lab in china capable of dealing withhandling this type of biohazard the people who dismiss the question out of hand are the real conspirators", + "https://www.naturalnews.com/", + "FAKE", + 0.05644103371376098, + 552 + ], + [ + "U.S. Election Is Canceled Due To Coronavirus", + "due to the corona virus the polls will remain closed and the election is cancelled trump will remain president for the next 4 yearswatch how quickly the epidemic is over", + "Facebook", + "FAKE", + 0.027083333333333327, + 30 + ], + [ + null, + "pls tell ur families relatives and friendsmoh health bulletin to the public the upper respiratory infection affecting china at present is quite serious the virus causing it is very potent and is resistant to existing antibiotics virus is not bacterial infection hence cannot be treated by antibiotics the prevention method now is to keep your throat moist do not let your throat dry up thus do not hold your thirst because once your membrane in your throat is dried the virus will invade into your body within 10 mins drink 5080cc warm water 3050cc for kids according to age everytime sic you feel your throat is dry do not wait keep water in hand do not drink plenty at one time as it does not help instead continue to keep throat moist till end of march do not go to crowded places wear mask as needed especially in train or public transportation avoid fried or spicy food and load up vitamin c the symptomsdescription are repeated high fever 2 prolonged coughing after fever 3 children are more prone 4 adults usually feel uneasy headache and mainly respiratory related illness this illness is highly contagious lets continue to pray and wait for further notice about the infection please share ", + "NWLLAB", + "FAKE", + 0.07333333333333333, + 208 + ], + [ + "No vaccine, no job: Eugenicist Bill Gates demands “digital certificates” to prove coronavirus vaccination status", + "on march 18 outspoken eugenicist bill gates participated in an ask me anything ama event on reddit entitled im bill gates cochair of the bill melinda gates foundation ama about covid19 and during this event gates openly admitted to the world that the agenda moving forward is to vaccinate every person on the planet with coronavirus vaccines as well as track them with mark of the beasttype digital certificatestaking place just five days after he conveniently stepped down from the public board of microsoft to dedicate more time to philanthropic priorities including global health and development education and climate change this ama event with bill gates ended up revealing the blueprints of the globalist endgame for humanity which includes tagging people like cattle and controlling what theyre allowed to do based on their vaccination statusif you agree to get vaccinated with a wuhan coronavirus covid19 vaccine once it becomes available in other words then the government will grant you permission to join back up with society and resume at least some of the normalcy of your former life if you dont however then youll presumably be ostracized from the rest of the world and forced into permanent isolation left to fend for yourself with no means to buy sell or conduct any type of business in order to make a living and survivethis is the book of revelation in action and bill gates is laying it all out for you assuming youre paying attention everything hes presenting as the solution to the wuhan coronavirus covid19 crisis was foretold long ago by the prophets and now its coming to fruition under the guise of stopping a global pandemic and ensuring that everyone has a proper digital identityit was october 2019 when bill gates held his infamous event 201 forum which included discussions about a hypothetical coronavirus pandemic and how to handle it fastforward a few months and here we are exactly as bill gates and his globalist cronies predicted or rather planned it all to happen along with their solutions waiting in the wings for a grand unveilingwhen asked what changes are we going to have to make to how businesses operate to maintain our economy while providing social distancing bill gates respondedthe question of which businesses should keep going is tricky certainly food supply and the health system we still need water electricity and the internet supply chains for critical things need to be maintained countries are still figuring out what to keep runningand heres the real kicker at the conclusion of his answereventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itdid you catch that bill gates wants to digitally track everyone who contracts the wuhan coronavirus covid19 and recovers from it along with everyone whos been tested for it he also wants to know who takes the coronavirus vaccine once it becomes publicly availablelisten below to the health ranger report as mike adams the health ranger talks about how the world economy has now come to an end due to the wuhan coronavirus covid19bill gates wants everyone to have a quantum dot tattoo microchip inserted in their bodies\nit should be noted that the numberone upvoted response to this admission by bill gates was from a user who pointed out that it directly aligns with revelation 13 which states beginning in verse 16 concerning the mark of the beasthe causes all both small and great rich and poor free and slave to receive a mark on their right hand or on their foreheads and that no one may buy or sell except one who has the mark of the name of the beast or the number of his name here is wisdom let him who has understanding calculate the number of the beast for it is the number of a man his number is 666keep in mind that this all coincides with the id2020 agenda which aims to create a global digital identification system for every person on earth as weve reported in the past id2020 and vaccines are being used together to harvest the biometric identities of all mankind and all for the purpose of creating the global system of tracking and control that was foretold in the book of revelationtheyve already begun to test id2020 in bangladesh inserting digital ids in the bodies of newborn babies along with their vaccinations and bill gates is now talking about how socalled quantum dot tattoos are the next wave of biometrics identification also to be inserted in peoples bodies through vaccinationa report from futurism explains the quantum dot tattoo as tiny semiconducting crystals that reflect light and that glows under infrared light this pattern along with the vaccine its hidden in gets delivered into the skin using hitech dissolvable microneedles made of a mixture of polymers and sugar and is coming to a vaccine clinic near you in the very near futurethis short and unexpected answer opened a gigantic pandoras box of what could be in store in the near future the inevitable mass vaccination campaign to eradicate covid19 would be the perfect opportunity to introduce a worldwide digital id warns vigilant citizento keep up with the latest wuhan coronavirus covid19 news be sure to check out pandemicnews", + "http://www.banned.news", + "FAKE", + 0.08332437275985663, + 885 + ], + [ + "REFUGEES FROM GREEK CAMPS WILL JEOPARDISE GERMANY’S HEALTH AND SAFETY", + "the german government is increasingly delivering the socalled refugees from greek camps to germany and believes that this is how the country fulfils its humanitarian duty in fact it jeopardises public health it is likely that all of these migrants are infected with the coronavirus", + "https://en.news-front.info/", + "FAKE", + 0, + 45 + ], + [ + "REVEALED: Trump’s top coronavirus task force expert, Dr Anthony Fauci, funneled money to Wuhan lab engaged in coronavirus research", + "one of president donald trumps top coronavirus task force advisers dr anthony fauci backed funding for controversial coronavirus research at the lab now believed to have created covid19just last year the organization fauci heads the national institute for allergy and infectious diseases funded scientists at the wuhan institute of virology and other institutions for work on gainoffunction research on bat coronaviruses newsweek reportedthe news magazine added in 2019 with the backing of niaid the national institutes of health committed 37 million over six years for research that included some gainoffunction work the program followed another 37 million 5year project for collecting and studying bat coronaviruseswhich ended in 2019 bringing the total to 74 million\nmany scientists have criticized gain of function research which involves manipulating viruses in the lab to explore their potential for infecting humans because it creates a risk of starting a pandemic from accidental releasesarscov2 which is the official name of the virus now sweeping the globe and killing tens of thousands of americans is thought to have originated in bats in fact after first claiming that the coronavirus had naturally evolved us intelligence officials now think that covid19 stemmed from an accidental leak at the lab in wuhan cityat the same time us army gen mark milley chairman of the joint chiefs of staff has said that neither the pentagon nor us intelligence agencies believe the virus was manufactured because its genome sequence does not indicate thattheres a lot of rumor and speculation in a wide variety of media blog sites etc milley said last month it should be no surprise to you that we have taken a keen interest in that and we have had a lot of intelligence take a hard look at thatfauci promoted the work arguing that the research was worth a risk\nus sen tom cotton rark was the first congressman to publicly suggest that the virus could have originated in a chinese lab though he was widely panned for it back in februarywe dont know where it originated and we have to get to the bottom of that he said in midapril during an interview with fox news we also know that just a few miles away from that food market is chinas only biosafety level 4 super laboratory that researches human infectious diseases\nas for fauci he did not respond to a request for comment from newsweek however a statement from the national institutes of health nih noted in part most emerging human viruses come from wildlife and these represent a significant threat to public health and biosecurity in the us and globally as demonstrated by the sars epidemic of 200203 and the current covid19 pandemic scientific research indicates that there is no evidence that suggests the virus was created in a laboratory related nearly half of severe coronavirus cases involve neurological complicationsthe nihs research into coronavirus consisted of two parts newsweek noted the first portion began in 2014 and involved surveillance of bat coronaviruses with a budget of 37 millionthat program funded shi zhengli a wuhan lab virologist as well as other researchers who were investigating and cataloguing bat coronaviruses in the wild \nthis portion of the project was completed last year the news magazine saida second phase of the project beginning that year included additional surveillance work but also gainoffunction research for the purpose of understanding how bat coronaviruses could mutate to attack humans newsweek said roughly 10 years ago during a controversial gainoffunction research project on birdflu viruses fauci promoted the work arguing that the research was worth a risk because it involved scientists making preparations that could be helpful during a pandemic ", + "https://www.naturalnews.com/", + "FAKE", + 0.09125000000000001, + 607 + ], + [ + null, + "the elite are behind the corona virus and other manmade deadly viruses they will use those viruses to depopulate the world they want to depopulate the world because they will be controlling the world they already control america the world is nextwhen they control the world they will control all resources which includes the land you live on coal oil natural gas minerals fresh water and food to name a few the less people in the world the less people to control and use up those resourcesoverpopulation which is the same as depopulation is supported by bill gatesformer microsoft ceo bill gates is part of the elite bill gates supports and is an advocate of depopulation the bill and melinda gates foundation is instrumental in getting africans and third world countries to accept vaccination his foundation has sterilized thousands of women in africa without their knowledge via vaccinesbill gates is a perfect vessel of satan because he appears trustworthy bill gates is far from being trusted this devil conducted vaccination campaigns that crippled and killed countless people in third world countries helped fund the development of gmo mosquitoes that can carry deadly viruses had a polio vaccine program which caused thousands of deaths bill gates funded the pirbright institute which owns the patent on the coronavirus\nhe uses his foundation as a front to push vaccination convincing the masses to accept vaccination will fulfill the elites agenda of depopulating the world via biological weaponsin order to make ebola zika corona and other manmade viruses a global epidemic they must convince the masses to accept vaccination a few people infected with these viruses will not be enough to make it an epidemic therefore they have to use vaccination as the scapegoat to get millions of people to accept a vaccine that will contain the virusthe vaccine will have small amounts of the virus in it doctors describe it as tricking the body to fight the virus the same method is used with the flu shot the flu shot contains fluvirus particles in itthis deceptive method will allow these vessels of satan to vaccinate people with a vaccine that contains the virus this will allow the elite to hide their fingerprints on how so many people got infected sick and died from ebola zika corona and other manmade viruses this deceptive method is not new they used it before with syphilis and aids in africamost people will not believe that this is orchestrated and by design that unbelief will be the reason millions of people will get vaccinated and fall into their trap of vaccination its a catch22 if you dont get vaccinated you may get contaminated from someone who actually has the virus if you get vaccinated you may instantly become infected because the vaccine might contain the fullblown virusthe elite are the fake jews who control the usa whats sad is there is nothing you can do about this god will allow these fake jews to carry out their agenda upon america and the world in order to judge the world many will say this is a conspiracy theory because they reject what jesus said in rev 2939\ntrump is part of and a puppet of the elite he knows the coronavirus is part of the depopulation agenda after trumps removal from the oval office more chaos is planned by the elite read it here wakeupeepsatwebpagescomelitehtml with sabrina robinson", + "Facebook", + "FAKE", + -0.028698206555349413, + 569 + ], + [ + "The Slums Of Southern Europe, The New Slave Market Of The EU, And The Coronavirus", + "the southern parts of italy and spain are becoming the african slums of europe where hundreds of thousands of african migrant workers live under circumstances similar to or perhaps even worse than the slaves who worked on us cotton farms in the the 19th century the supermarkets are full of cheap fruits and vegetables most of the goods come from spain but italy is also an important supplier how can countries produce so cheaply a video reveals catastrophic working conditions spain and italy provide us the europeans with cheap fruits and vegetables oranges mandarins tomatoes and cucumbers the big supermarkets of europe like aldi rewe lidlcarrefour alberthein called albert in eastern european countries dictate the prices to the companies in spain and italy who are subsidized by the european union eu the eu has created a slave working force in the southern countries and subsidizes the big companies there with eu tax money it makes you wonder and explains on the other hand the eu migration policy they want new working slaves like in roman times to provide the bourgeoisie with cheap fresh food and vegetables the work on the fruit and vegetable farms proposed by companies and accepted by workers is without any contract its also without insurance and security guarantees in the workplace the irregular migrants those without legal permits are being exploited by accepting these forms of work because they are working without a contract they cannot ask for a residence permit and vice versa on the other hand because they cannot claim rights as workers except in cases where physical violence is suffered they therefore remain victims of serious labor exploitation almeria the southern part of spain hosts the biggestslums which are set on an arid patch of wasteland outside the small town of san isidro almeria hosts the worlds largest concentration of greenhouses covering over 31000 hectares 76600 acres and visible from space almerias sea of plastic produces roughly 35 million tonnes of fruit and vegetables per year according to the regional distribution company agrosol 61 of almerias production is exported with 998 bound for europe the netherlands 1355 france 135 and the uk 114 being the top markets tomatoes germany 253603412 tonnes the uk 145786239 tonnes and the netherlands 108809177 tonnes pepper germany 289784484 tonnes france 117876979 tonnes and the netherlands 91559489 tonnes cucumber germany 176469357 tonnes the netherlands 63069737 tonnes and the uk 59003974 tonnes this leads to a weird situation whoever in the netherlands thinks that theyre eating dutch tomatoes is tricked since its all from the slave market in spain in reality what is referred to as almerias economic miracle among spanish economists is almost exclusively dependent on an invisible expendable illegally employed migrant worker force working under 40degree heat and extreme humidity they live in slums and when they cant cope anymore another boat of refugees is waiting to come ashore and replace them coronavirus the coronavirus is getting out of control in the eu especially in italy and spain with these two being the suppliers of nearly all our fruit and vegetables europe may face a shortage of these products since a few days ago there are riots in southern italy a bad sign for the eus import of fruits and vegetables from the slave market if the lockdown continues the prices will increase on the other hand the harvest of asparagus and apples is in danger in germany and the netherlands because these eu countries are dependent on the labor force from romania bulgaria and poland they harvest the asparagus and apples since there are no german or dutch workers who want to do these kinds of jobs the eu is at its end which is painfully clear like in the old roman empire the vandalen brought upheaval to the empire and eventually it broke down this is what we see right now the eu countries are unable to help each other getting help from russia and china instead which the eu governments try to label as propaganda the healthcare system has broken down a long time already they dont have masks no electronic fever thermometers and are imposing martial law when they continue with the lockdown it will be the end of europe as we knew it russia and china will rise and more and more eu countries know that brotherhood is nonexistent the slave workers will move on and europe will face the biggest crisis that its ever seen", + "http://oneworld.press/", + "FAKE", + 0.026760714918609648, + 743 + ], + [ + "The US Is Dramatically Overcounting Coronavirus Deaths. Deliberate Manipulation, Flawed Data", + "over 86500 people have reportedly died in the united states from the coronavirus and the fear generated by those deaths is driving the public policy debate but that number is a dramatic overcount our metrics include deaths that have nothing to do with the virus the problem is even worse as the centers for disease control over counts even some of these cases and the government has created financial incentives for this misreporting relying on these flawed numbers is destroying businesses and jobs and costing livesthe case definition is very simplistic dr ngozi ezike director of illinois department of public health explains it means at the time of death it was a covid positive diagnosis that means that if you were in hospice and had already been given a few weeks to live and then you also were found to have covid that would be counted as a covid death it means technically even if you died of clear alternative cause but you had covid at the same time its still listed as a covid deathmedical examiners in michigan use the same definition in macomb and oakland counties where most of the deaths occurred medical examiners classify any deaths as coronavirus deaths when the postmortem test is positive even people who died in suicides and automobile accidents meet that definition\nstill these broad definitions are not due to a few rogue public health officials the rules direct them to do this unlike other countriesif someone dies with covid19 we are counting that as a covid19 death as dr deborah birx the white house coronavirus response coordinator recently notedclassifications go beyond even these broad categories new york is classifying cases as coronavirus deaths even when postmortem tests have been negative despite negative tests classifications are based on symptoms even though the symptoms are often very similar to those of the seasonal flu the centers for disease control guidance explicitly acknowledges the uncertainty that doctors can face when coronavirus cases are suspected they advise doctors that it is acceptable to report covid19 on a death certificatethat isnt just a theoretical issue on april 21st when new york citys death toll rose above 10000 the new york times reported that the city included 3700 additional people who were presumed to have died of the coronavirus but had never tested positive a more than 50 percent increase in the number of casesbut the problem is worse than this broad definition implies birx and others believe that the cdc is over counting cases the washington post reports they are concerned that the cdcs antiquated accounting system is double counting cases and inflating mortality and case counts by as much as 25 percent\nthere are additional reasons for concern some doctors feel pressure from hospitals to list deaths as due to the coronavirus even when they dont believe that is the case to make it look a little bit worse than it is there are financial incentives that might make a difference for hospitals and doctors the cares act adds a 20 percent premium for covid19 medicare patientsincentives matter when the government increased the disability compensation for air traffic controllers a lot more controllers suddenly started claiming to be disabled when unemployment insurance payments increase more people become unemployed and stay unemployed for longer periods when the government offers flood insurance that charges everyone the same insurance premium regardless of the risk level in their area more people build homes in frequently flooded areasthe washington post and others claim that we are undercounting the true number of deaths they reach that conclusion by showing the total number of deaths from all causes is greater than we would normally expect from march through early may and that this excess is actually due to deaths not being accurately labeled as due to the coronavirus but these are simply not normal times lots of people with heart and other problems arent going to the hospital for fear of the virus surgeries for many serious conditions are being put off the stress of the situation is increasing suicides and other illnessesdeaths that have absolutely nothing to do with the coronavirus count as virus deaths add to that claims that the cdc is double counting some of these improperly identified cases and the perverse financial incentives created by the government and you have a real mess when crucial decisions are being made based in large part on this dataerroneous data unduly scare people about the risks of the disease it keeps the country locked down longer than necessary which destroys peoples lives and livelihoods in many other ways exaggerated fears of the virus endanger lives by keeping people from obtaining treatment for other medical problems it also makes it impossible to accurately compare policies across countriesit is hard to believe that we are basing such crucial decisions on such flawed data", + "https://www.globalresearch.ca/", + "FAKE", + 0.00381821461366916, + 810 + ], + [ + null, + "modern drug therapy targets individual genes with epidemics similar to coronavirus that are highly mutated and drug resistant we need to use therapeutic benefits of essential oils to target the virus itself not just the specific gene type my personal analysis of essential oils against pathogens on wwwgurunandacom with the hashtags essentialoils china coronavirus prevention municipalities of wuhan have declared that people should use pure essential oils as a preventative therapy coronavirus essentialoils essential oils have great potential in the field of biomedicine as they effectively destroy several bacterial fungal and viral pathogens the essential oils are effective against a diverse range of pathogensagainst virus essential oils might interfere with virion envelopment designed for entry into host cells possible mechanisms of actions include the inhibition of virus replication by hindering cellular dna polymerase and alteration in phenylpropanoid pathways since the flu is spreading so quickly we want to give 50 off for the essential oils simply type corona in the code box to save immediately just what is this new coronavirus and how can you prevent andor treat it after reading this article youll be well equipped and informed to decrease your chances of becoming infected ", + "gurunanda.com", + "FAKE", + 0.11224927849927852, + 196 + ], + [ + "No vaccine, no job: Eugenicist Bill Gates demands “digital certificates” to prove coronavirus vaccination status", + "on march 18 outspoken eugenicist bill gates participated in an ask me anything ama event on reddit entitled im bill gates cochair of the bill melinda gates foundation ama about covid19 and during this event gates openly admitted to the world that the agenda moving forward is to vaccinate every person on the planet with coronavirus vaccines as well as track them with mark of the beasttype digital certificatestaking place just five days after he conveniently stepped down from the public board of microsoft to dedicate more time to philanthropic priorities including global health and development education and climate change this ama event with bill gates ended up revealing the blueprints of the globalist endgame for humanity which includes tagging people like cattle and controlling what theyre allowed to do based on their vaccination statusif you agree to get vaccinated with a wuhan coronavirus covid19 vaccine once it becomes available in other words then the government will grant you permission to join back up with society and resume at least some of the normalcy of your former life if you dont however then youll presumably be ostracized from the rest of the world and forced into permanent isolation left to fend for yourself with no means to buy sell or conduct any type of business in order to make a living and survivethis is the book of revelation in action and bill gates is laying it all out for you assuming youre paying attention everything hes presenting as the solution to the wuhan coronavirus covid19 crisis was foretold long ago by the prophets and now its coming to fruition under the guise of stopping a global pandemic and ensuring that everyone has a proper digital identityit was october 2019 when bill gates held his infamous event 201 forum which included discussions about a hypothetical coronavirus pandemic and how to handle it fastforward a few months and here we are exactly as bill gates and his globalist cronies predicted or rather planned it all to happen along with their solutions waiting in the wings for a grand unveilingwhen asked what changes are we going to have to make to how businesses operate to maintain our economy while providing social distancing bill gates respondedthe question of which businesses should keep going is tricky certainly food supply and the health system we still need water electricity and the internet supply chains for critical things need to be maintained countries are still figuring out what to keep runningand heres the real kicker at the conclusion of his answereventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itdid you catch that bill gates wants to digitally track everyone who contracts the wuhan coronavirus covid19 and recovers from it along with everyone whos been tested for it he also wants to know who takes the coronavirus vaccine once it becomes publicly availablelisten below to the health ranger report as mike adams the health ranger talks about how the world economy has now come to an end due to the wuhan coronavirus covid19bill gates wants everyone to have a quantum dot tattoo microchip inserted in their bodies\nit should be noted that the numberone upvoted response to this admission by bill gates was from a user who pointed out that it directly aligns with revelation 13 which states beginning in verse 16 concerning the mark of the beasthe causes all both small and great rich and poor free and slave to receive a mark on their right hand or on their foreheads and that no one may buy or sell except one who has the mark of the name of the beast or the number of his name here is wisdom let him who has understanding calculate the number of the beast for it is the number of a man his number is 666keep in mind that this all coincides with the id2020 agenda which aims to create a global digital identification system for every person on earth as weve reported in the past id2020 and vaccines are being used together to harvest the biometric identities of all mankind and all for the purpose of creating the global system of tracking and control that was foretold in the book of revelationtheyve already begun to test id2020 in bangladesh inserting digital ids in the bodies of newborn babies along with their vaccinations and bill gates is now talking about how socalled quantum dot tattoos are the next wave of biometrics identification also to be inserted in peoples bodies through vaccinationa report from futurism explains the quantum dot tattoo as tiny semiconducting crystals that reflect light and that glows under infrared light this pattern along with the vaccine its hidden in gets delivered into the skin using hitech dissolvable microneedles made of a mixture of polymers and sugar and is coming to a vaccine clinic near you in the very near futurethis short and unexpected answer opened a gigantic pandoras box of what could be in store in the near future the inevitable mass vaccination campaign to eradicate covid19 would be the perfect opportunity to introduce a worldwide digital id warns vigilant citizento keep up with the latest wuhan coronavirus covid19 news be sure to check out pandemicnews", + "http://www.biased.news", + "FAKE", + 0.08332437275985663, + 885 + ], + [ + "Coronavirus Update (COVID-19)", + "14 people who were confirmed cases of covid19 in europe took mms and have recovered their health all of these tested positive and when retested after taking mms they came out negative for covid19 those of us who have used chlorine dioxide mms over the years certainly expected it to also work with this virus but we wanted to be sure and now with this data we are confident that the proper mixture of chlorine dioxide mms has every hope of eradicating covid19if you have covid19 take protocol 6 and 6 to start this is one 6drop dose of mms then one hour later take another 6drop dose of mms after two 6drop doses of mms go on hourly doses of 3 activated drops in 4 ounces of water hourly for children follow the same instructions as above and cut the amounts in half here is the testimony of a man who was experiencing very serious symptoms of coronavirus the man is 85 years old and was confirmed to have coronavirus he was quarantined at home all of his relatives at home were also infected but the elderly man was in very serious condition and on oxygenby far he was the most worst off he was given a 1 liter bottle of water which had 20 activated drops of mms added to it he was instructed to take a sip from the bottle every five minutes but not to let it go past 10 minutes so every 5 to 10 minutes the man took a sip not a big gulp just a sip from the bottlethats all but he did this faithfully every 5 to 10 minutes throughout the day until the bottle was finished just a sip each time after three days he was noticeably improved and off of the oxygen so his dose was reduced to 12 activated drops in the 1 liter bottle of water and he drank from it just sipping it every half hour he is recovering quickly90 improved has just a slight remnant of cough occasionally the rest of the family who also took mms are now fully recovered", + "https://jimhumble.co", + "FAKE", + -0.012582345191040843, + 355 + ], + [ + "CORONAVIRUS: A WUHAN LABORATORY SPONSORED BY SOROS, VIRUS AFFECTS ONLY MONGOLOID RACE", + "there is a biolaboratory in wuhan until recently nothing was known about it its address is gaoxin three sixes the number mentioned in the bible under which the name of the beast of the apocalypse is hidden but its even more symbolic that it exists thanks to the money of the famous banker george soros who shares the globalist ideas of bill gates this could be part of a cunning planthe coronavirus affects only the representatives of the mongoloid race which is very suspicious and raises questions", + null, + "FAKE", + 0.15416666666666667, + 87 + ], + [ + "CORONAVIRUS GUIDANCE: How to successfully manage viral infections and avoid their serious consequences", + "it started with a light cough he burped constantly and complained of shortness of breath family members thought it was no big deal the doctor said he seemed to have heart problems and suggested him to stay in the hospital he appeared healthy except for a minor infection in one lung areatwo weeks later he was dead with both lungs infected and organ failure his doctors at the wuhan jinyintan hospital determined the cause of death as unknown pneumonia it was days before chinese health authorities identified the cause of the new viral pneumonia as 2019ncov a coronavirus that first emerged in december in the commercial city of wuhan his home citythis is a deadly virus more deadly so far than the worst viral threats to date and they are locking people up in their own homes in china for all the latest information see this video things are moving fast and events are looking to overtake the worlds health officials who this time are being aggressive in trying to control it at least in chinabrandon smith writes i would not be surprised if we discover in the next two weeks that the death tally is in the thousands and the sickness rate is actually in the hundreds of thousands the fact that china has now quarantined over 50 million people in 16 cities suggests the danger is much higher than they have admitted if this is the case then at the very least the chinese economy is about to take a massive hit if the virus doesnt spread the economic damage willthe official number of those infected by the wuhan coronaviris 2019ncov now stands at almost 8000 according to the latest johns hopkins csse data already a figure rivaling the 2003 sars outbreak with the total number of deaths now standing at 170 both figures up 29 on the day before untold thousands are struggling with the virus in hospitals in china whose government is promising to build a 1000 bed hospital in one week in wuhanit is highly doubtful the way things are looking that even if they lock down all the major cities of the world they are not going to control it but they will do their best to control us it is already a matter of too little too late and they still are not advising doctors or the public what simple but powerful things people can do to minimize chances of it going critical demanding icu care people are dying from the regular flu but if you get the coronavirus you chances of dying are going to be much greater believe me you do not want your loved ones to die of the flu this yearthis virus is severe and with flu season in the northern hemisphere in full swing it is going to be difficult if you just are coming down with the feelings of the flu to determine if you have the new coronavirus or just regular flu which can also kill you if you are not careful coronaviruses are a class of common viruses causing everything from the common cold to epidemics like severe acute respiratory syndrome sarsdr grayson also said having years of experience developing an ebola treatment i was concerned about this coronavirus outbreak from the outset because this coronavirus strain is very contagious causes severe illness and no treatments or vaccines are available well thats an admission that he knows of no treatments or the government has no certified treatment but that does not mean there are no treatmentsapproximately 50 lived through ebola even though patient were not receiving treatment since doctors did not believe there was a treatment they are saying the same about the coronavirus and that is completely absurd there are many strong things one can do to increase the chances of surviving viral infections if you believe there is little or nothing to do which is what doctors and health organizations believe that is exactly what you and they will continue to do even if it means literally adding to the death rate because of limiting beliefsdoctors get hysterical about viruses because they refused to learn about and use the best and safest treatments for their patients for example as early as june 1 1905 an article was printed in the new york times1 about the successful use of iodine for consumptiontuberculosis though iodine kills most pathogens on the skin within 90 seconds its use as an antibioticantiviralantifungal has been completely ignored by modern medicine so we do not hear one word about it as the coronavirus spreadsiodine exhibits activity against bacteria molds yeasts protozoa and many viruses indeed of all antiseptic preparations suitable for direct use on humans and animals and upon tissues only iodine is capable of killing all classes of pathogens grampositive and gramnegative bacteria mycobacteria fungi yeasts viruses and protozoa most bacteria are killed within 15 to 30 seconds of contactwith iodine in your pocket you dont have to worry so much about viral infections if you know how to use it effectively extremely high doses of iodine can have serious side effects but only a small fraction of such extreme doses are necessary to kill influenza viruses writes dr david derry of canada in 1945 a breakthrough occurred when dr jd stone and sir mcfarland burnet who later went on to win a nobel prize for his clonal selection theory exposed mice to lethal effects of influenza viral mists the lethal disease was prevented by putting iodine solution on mice snouts just prior to placing them in chambers containing influenza viruses dr derry reminds us that a long time ago students in classrooms were protected from influenza by iodine aerosol therapy aerosol iodine also is effective against freshly sprayed influenza virusdr david brownstein says iodine is essential to not only fighting off an infection it is necessary for proper immune system functioning there is no bacteria virus parasite or fungus that is known to be resistant to iodinemedicines to have and use at homethere is a short list of medicines used in icu departments that can be used safely at home to minimize the threat of dying from the coronavirus sodium bicarbonate should be stocked in the house and taken enough so one gets everyones urinary ph up to being more alkaline the body should be literally flooded with magnesium high dosages of selenium and iodine potassium potassium bicarbonate and even sulfur vitamin c and d can also be taken at very high dosages as they sometimes are given in the best icu treatment centersbrownstein says vitamin a should be added to this list he also says to prevent becoming ill and to avoid having a poorly responding immune system it is vitally important to eat a healthy diet free of all sources of refined sugar refined sugar has been shown to negatively alter the functioning of the white blood cells for hours after ingestion finally it is important to maintain optimal hydrationdrink waterin the emergency room medicines have to be safe while delivering an instant lifesaving burst of healing power the idea when used at home is to constantly be administering these medicinals during waking hours when suffering from the flu or the cornonavirusthe power and speed of these medicines and the flexibility of their administration methods make them ideal especially because of their extremely lowtoxicity profiles as usual the key to their use is in the dose given dosages and treatments for cornonavirus infections coming tomorrow fewer people will die from the coronavirus as from any virus if they are treated correctlyif god forbid one comes down with the virus it is good to have a nebulizer on hand so you can get magnesium iodine and bicarbonate directly into the lungsserious conclusionsbrandon smith has a lot to say about why we should all be concernedglobal pandemic whether a natural event or deliberately engineered actually serves the purposes of the globalist establishment in a number of ways first and foremost it is a superb distraction the general public overcome with fears of an invisible force of nature that can possibly kill them at any moment will probably forget all about the much bigger threat to their life liberty and future the subsequent collapse of the massive everything bubble and the globalist solution that a pandemic can triggerthe globalist establishment has created the largest financial bubble in modern history through central bank stimulus inflating a highly unstable artificial rally in markets while also creating new highs in national debt corporate debt and consumer debt the economic fundamentals have been sending alarms for the past two years and the everything bubble is showing signs of implosion it is only a matter of time before the farce collapses by itself the globalists need scapegoats but they also need an event or wave of events so distracting that people will not be able to discern what really happenedthe reason why globalists want a collapse is simple they need crisis in order to manipulate the masses into accepting total centralization a global monetary system and global governance they are also rabid believers in eugenics and population reduction at the very least a global pandemic is a useful happenstance for them but the timing of the coronavirus event and their highly accurate simulation only three months ago also suggests their potential involvement as it comes right as the implosion of the everything bubble was accelerating", + "https://web.archive.org/", + "FAKE", + 0.09437240936147184, + 1571 + ], + [ + null, + "and whats next everyone will swallow and sit in silence only russia and china will press and the rest will be swallowed", + "Denis chernomazov", + "FAKE", + 0, + 22 + ], + [ + "THE MASTERS OF DARKNESS INVENTED THE COVID-19 AND SEEK WORLD DOMINATION", + "the diabolical masters of darkness who invented and launched this covid19 pandemic are nothing less than murderers massmurderers that is they are committing mass genocide on a worldwide scale in proportions unknown in recent history of humankind and this to dominate a world under a new world order aiming at a massively reduced world populationthe selfimposed new rulers decide who will live and who will die their selfpromoting dogooder agenda à la bill gates and co professes to reduce world poverty yes by killing the poor by for example tainted toxic vaccinations rendering african women infertile", + "https://journal-neo.org/", + "FAKE", + -0.028619528619528625, + 96 + ], + [ + "THE GATES OF HELL", + "bill gates is in one way or another responsible for the covid19 outbreakbill gates has pecuniary interests in the pandemic and that his philanthropy is merely a front for ordinary capitalist greed making profits from peoples illness suggesting even worse reasons to mr gates activities in the field of global health population reduction bill gates apparently has an interest in creating dire economic conditions that would lead to less people on the planetwe may be looking at a complete collapse of our western economy and growing misery for the masses what will happen to these people without jobs without incomes many of them may also lose their homes as they will not be able to pay their mortgages or rents they may die from famine diseases of all sorts despair the desired world population reduction that bill gates rockefeller and co aspire it may be part of and the beginning of their sinister eugenics plan", + null, + "FAKE", + -0.02051282051282051, + 155 + ], + [ + "China’s Coronavirus. “We Cannot Rule Out Man Made Origin of these Infections”", + "in earlier articles i related the opinions of biochemists and biowarfare specialists on the circumstances justifying suspicion of a virus being created in a lab and deliberately released in a foreign country as a means of either low or highintensity warfare or as merely a means of destabilising a nation and perhaps severely damaging its economy with the loss of life being an added plus the us is the country that appears most devoted to biological warfare though a number of other nations are eager participants including the uk and israeli would remind readers here of the statement from pnac in a report titled rebuilding americas defenses that advanced forms of biological warfare that can target specific genotypes may transform biological warfare to a politically useful toolthis subject is difficult to discuss openly in a nation of people or even within international bodies like the un the infliction of such a pathogen onto a nation is clearly an act of war however if the leaders have not irrefutable proof of a bioweapon and its source and are not prepared for a military response the only solution is to remain silent and emphasise research on defensive measures in the event of a recurrence even with overwhelming circumstantial evidence a public statement or an accusation would likely be derided as yet another unfounded conspiracy theory this is essentially the same with disclosure to the un general assembly or other such body an accusation lacking conclusive proof would merely be derided and embarrassingthis is similarly true with destabilization and violence as china has very recently experienced in hong kong and which has not yet stabilized and the violence in tibet and xinjiang the american black hand from the american consulate was caught redhanded in hong kong and sources of funding the hk terrorists are now being identified there is no dispute anywhere that the violence and terrorism in both tibet and xinjiang were americaninspired and funded but absolute irrefutable proof is lacking all of these are clearly acts of war but lacking final proof responses are limited to defensive measuresin a previous article on chinas new coronavirus i referred to a thesis on biological weapons by leonard horowitz and zygmunt dembek who stated that clear signs of a geneticallyengineered biowarfare agent were a a disease caused by an uncommon unusual rare or unique agent with b lack of an epidemiological explanation ie no clear idea of source c an unusual manifestation andor geographic distribution such as racespecificity and d multiple sources of infectionchinas coronavirus appears to satisfy all four criteria this is especially true since it appears that only one caucasian and some japanese has been infected to date with the virus so far appearing to be tightly focused to chinesealso the statement by dr leonard horowitz who quoted one military expert as saying even if you suspect biological terrorism its hard to prove its equally hard to disprove you can trace an arms shipment but its almost impossible to trace the origins of a virus that comes from a bug another expert stated that a properlydone release of an infectious agent cannot be traced to its source and might be considered an act of godin 2003 many russian medical experts voiced the opinion that the sars virus was most likely manmade and deliberately released as a weapon sergei kolesnikov a member of the russian academy of medical sciences said the propagation of the sars virus might well have been caused by leaking a combat virus grown in bacteriological weapons labs because the natural compound of contained virus genome sections was impossible that the mix could never appear in nature but could be done only in a laboratorychinas new coronavirus an examination of the facts at the same time nikolai filatov the head of moscows epidemiological services stated he believed sars was manmade because there is no vaccine for this virus its makeup is unclear it has not been very widespread and the population is not immune to it it appears the russians may be arriving at the same conclusion for chinas new virus in 2020 the text below consists of a condensed version of an interview conducted by the russian news portal mkru on january 27 2020 with igor nikulin a former member of the un commission on biological and chemical weapons the article begins by noting that the prevalence of the coronavirus in china is increasing while beijing takes extraordinary measures to reduce the impact of this disaster it further states that a number of experts note strange coincidences in the circumstances of the emergence of this new infection and are reluctant to exclude an artificial origin mr nikulin was asked to comment on the situationwith regard to the interview we should emphasize that at this juncture of the coronavirus pandemic there is no firm evidence of the use of biological weapons against the peoples republic of china this russian viewpoint is not fully corroborated translated from russian \nrussian expert we cannot rule out man made origin of these infectionsinterviewer in recent years dangerous for humans coronaviruses appear more and more often what does this have to do with anythingnikulin with these coronaviruses the situation is really very strange until 2000 none of them jumped on a person they have been living next to humans for millions of years but always only on some animals parasitized for example on camels as in the case of mers or on bats birds anyone but this infection did not pass on to a person and there are already 8 deadly viruses in 20 years its obviously too muchinterviewer so we cant rule out the manmade origin of these infectionsnikulin if it was the first outbreak youd think it was a natural mutation but it is hardly natural because every few years such incidents are repeated its atypical pneumonia its avian flu its swine flu its something elseinterviewer some experts note that the time of the outbreak in china seems to be chosen specifically to cause maximum harm just on the eve of the new year on the eastern calendar when in china mass internal migration for the holidays as well as events with the participation of a large number of people and the place seemed to be specially selected historically and geographically all roads in china lead to wuhan it is the largest transport hub the largest international airport through it planes fly to the states australia japan the middle east paris london moscow besides these coincidences what can prove the artificial origin of the virusnikulin just deciphering the genome its results may show if it is a virus of natural origin or laboratory when some recombinant piece is inserted into the gene there are modern computer programs that allow you to read all this decipher and compare with the samples available in databasesinterviewer is it possible that the new coronavirus only affects people of chinese nationality so its set on certain features of the human genenikulin if it turns out that this is indeed the case then such a natural mutation cannot be accurate its mathematical proof that its an artificially created virus\ninterviewer in which labs can it appearnikulin i can only assume but look china like russia is surrounded by american research biolaboratories they are in different countries along the perimeter of chinas borders in kazakhstan kyrgyzstan afghanistan pakistan taiwan philippines south korea japan they were in indonesia but they closed them and wherever there are these american biolaboratories or near them there are outbreaks of new diseases often unknown threats to the local population are simply ignored by americans the main thing is that it was away from the territory of the united statesinterviewer how many foreign biolaboratories do the us havenikulin its 400interviewer they are overseen by the pentagonnikulin of course its all funded from the pentagon budget therefore it is not necessary to say that peaceful humanitarian research is being carried out there do you think the pentagons money is being spent on peaceful research no one is allowed in these are military labs when more than a hundred people died in georgia near such a laboratory within one month do you think someone was allowed to go there no one was allowed into the american laboratory at all\nthose countries that consider themselves victims of bioterrorism should investigate all these cases and bring them up for international discussion for example to the un security council to raise the issue of the activities of american biolaboratories outside the united states we have to do something because a lot of people are already suffering from it and in general it is necessary to strengthen the biosecurity of the country", + "https://www.globalresearch.ca/", + "FAKE", + 0.04515941265941269, + 1450 + ], + [ + "New York hospitals treating coronavirus patients with vitamin C", + "seriously sick coronavirus patients in new york states largest hospital system are being given massive doses of vitamin c based on promising reports that its helped people in hardhit china the post has learneddr andrew g weber a pulmonologist and criticalcare specialist affiliated with two northwell health facilities on long island said his intensivecare patients with the coronavirus immediately receive 1500 milligrams of intravenous vitamin cidentical amounts of the powerful antioxidant are then readministered three or four times a day he saidcomment 1500mg three or four times per day is not a massive dose thats 45 6 grams standard operating procedure when someone has a cold or flu if theyre going to the trouble of doing intravenous c it would behoove them to do an actual large dose something not achievable via the oral routeeach dose is more than 16 times the national institutes of healths daily recommended dietary allowance of vitamin c which is just 90 milligrams for adult men and 75 milligrams for adult womenthe regimen is based on experimental treatments administered to people with the coronavirus in shanghai china weber saidthe patients who received vitamin c did significantly better than those who did not get vitamin c he saidit helps a tremendous amount but it is not highlighted because its not a sexy druga spokesman for northwell which operates 23 hospitals including lenox hill hospital on manhattans upper east side said that vitamin c was being widely used as a coronavirus treatment throughout the system but noted that medication protocols varied from patient to patient\nas the clinician decides spokesman jason molinet saidabout 700 patients are being treated for coronavirus across the hospital network molinet said but its unclear how many are getting the vitamin c treatmentthe vitamin c is administered in addition to such medicines as the antimalaria drug hydroxychloroquine the antibiotic azithromycin various biologics and blood thinners weber saidas of tuesday new york hospitals have federal permission to give patients a cocktail of hydroxychloroquine and azithromycin to desperately ill patients on a compassionate care basispresident trump has tweeted that the unproven combination therapy has a real chance to be one of the biggest game changers in the history of medicineweber 34 said vitamin c levels in coronavirus patients drop dramatically when they suffer sepsis an inflammatory response that occurs when their bodies overreact to the infectionit makes all the sense in the world to try and maintain this level of vitamin c he saida clinical trial into the effectiveness of intravenous vitamin c on coronavirus patients began feb 14 at zhongnan hospital in wuhan china the epicenter of the pandemiccomment finally something that actually makes sense in this covid19 mess its nice to see that at least some hospitals are taking seriously the reports coming from doctors in wuhan testifying to the effectiveness of vitamin c hopefully theyll up the dose and see how miraculous this stuff really is", + "https://www.sott.net/", + "FAKE", + 0.013825757575757571, + 484 + ], + [ + "Coronavirus Gives a Dangerous Boost to DARPA’s Darkest Agenda", + "technology developed by the pentagons controversial research branch is getting a huge boost amid the current coronavirus crisis with little attention going to the agencys ulterior motives for developing said technologies their potential for weaponization or their unintended consequencesin january well before the coronavirus covid19 crisis would result in lockdowns quarantines and economic devastation in the united states and beyond the us intelligence community and the pentagon were working with the national security council to create stillclassified plans to respond to an imminent pandemic it has since been alleged that the intelligence and military intelligence communities knew about a likely pandemic in the united states as early as last november and potentially even before thengiven this foreknowledge and the numerous simulations conducted in the united states last year regarding global viral pandemic outbreaks at least six of varying scope and size it has often been asked why did the government not act or prepare if an imminent global pandemic and the shortcomings of any response to such an event were known though the answer to this question has frequently been written off as mere incompetence in mainstream media circles it is worth entertaining the possibility that a crisis was allowed to unfoldwhy would the intelligence community or another faction of the us government knowingly allow a crisis such as this to occur the answer is clear if one looks at history as times of crisis have often been used by the us government to implement policies that would normally be rejected by the american public ranging from censorship of the press to mass surveillance networks though the government response to the september 11 attacks like the patriot act may be the most accessible example to many americans us government efforts to limit the flow of dangerous journalism and surveil the population go back to as early as the first world war many of these policies whether the patriot act after 911 or wwiera civilian spy networks did little if anything to protect the homeland but instead led to increased surveillance and control that persisted long after the crisis that spurred them had endedusing this history as a lens it is possible to look at the current coronavirus crisis to see how the longstanding agendas of everexpanding mass surveillance and media censorship are again getting a dramatic boost thanks to the chaos unleashed by the coronavirus pandemic yet this crisis is unique because it also has given a boost to a newer yet complimentary agenda that if fulfilled would render most if not all other government efforts at controlling and subduing their populations obsoletedarpa dystopia for years the pentagons defense advanced research projects agency darpa has remained largely out of sight and out of mind for most americans as their research projects are rarely covered by the mainstream media and when they are their projects are often praised as bringing science fiction movies to life however there have been recent events that have marred darpas often positive portrayal by media outlets which paint the agency as a beacon of scientific progress that has changed the world for the betterfor instance in 2018 a group of european scientists accused the darpas insect allies program of actually being a dystopian bioweapons program that would see insects introduce genetically modified viruses into plants to attack and devastate a targeted nations food supply darpa of course maintained that its intent to use these insects to genetically modify plants was instead about protecting the food supply regardless of darpas assertions that it is merely a defensive program it should be clear to readers that such a technology could easily be used either way depending on the wielderthough darpas futuristic weapons of war often get the most attention from media the agency has longstanding interests in tinkering with not just the biology of plants but of humans darpa which is funded to the tune of approximately 3 billion a year has various avenues through which it pursues these ambitions with many of those now under the purview of the agencys biological technologies office bto created in 2014 as of late some of darpas human biology and biotech projects at its bto have been getting a massive pr boost thanks to the current coronavirus crisis with recent reports even claiming that the agency might have created the best hopes for stopping covid19most of these technologies garnering positive media coverage thanks to covid19 were developed several years ago they include the darpafunded platforms used to produce dna and rna vaccines classes of vaccine that has never been approved for human use in the us and involve injecting foreign genetic material into the human body notably it is this very class of vaccine now being produced by darpapartnered companies that billionaire and global health philanthropist bill gates recently asserted has him most excited relative to other covid19 vaccine candidates yet key aspects regarding these vaccines and other darpa healthcare initiatives have been left out of these recent positive reports likely because they provide a window into what is arguably the agencys darkest agendain 2006 darpa announced its predicting health and disease phd program which sought to determine whether an individual will develop an infectious disease prior to the onset of symptoms the phd program planned to accomplish this by identifying changes in the baseline state of human health through frequent surveillance with a specific focus on viral upper respiratory pathogens\nthree years later in 2010 darpafunded researchers at duke university created the foundation for this tool which would use the genetic analysis of blood samples to determine if someone is infected with a virus before they show symptoms reports at the time claimed that these preemptive diagnoses would be transmitted to a national webbased influenza map available via smartphonefollowing the creation of darpas bto in 2014 this particular program gave rise to the in vivo nanoplatforms ivn program the diagnostics branch of that program abbreviated as ivndx investigates technologies that incorporate implantable nanoplatforms composed of biocompatible nontoxic materials in vivo sensing of small and large molecules of biological interest multiplexed detection of analytes at clinically relevant concentrations and external interrogation of the nanoplatforms without using implanted electronics for communication past reports on the program describe it as developing classes of nanoparticles to sense and treat illness disease and infection on the inside the tech involves implantable nanoparticles which sense specific molecules of biological interestdarpas ivn program has since helped to finance and produce soft flexible hydrogels that are injected just beneath the skin to perform health monitoring and that sync to a smartphone app to give the use immediate health insights a product currently marketed and created by the darpafunded and national institutes of health nihfunded company profusa profusa which has received millions upon millions from darpa in recent years asserts that the information generated by their injectable biosensor would be securely shared and accessible to individuals physicians and public health practitioners however the current push for a national contact tracing system based on citizens private health data is likely to expand that data sharing conveniently fitting with darpas yearsold goal of creating a national webbased database of preemptive diagnosesprofusa is also backed by google which is intimately involved in these new mass surveillance contact tracing initiatives and counts former senate majority leader william frist among its board members they are also partnered with the national institutes of health nihthe company also has considerable overlap with the diagnostic company cepheid which recently won fda approval for its rapid coronavirus test and was previously awarded lucrative government contracts to detect anthrax in the us postal system as of this past march profusa again won darpa funding to determine if their injectable biosensors can predict future pandemics including the now widely predicted second wave of covid19 and detect those infected up to three weeks before they would otherwise show symptoms the company expects to have its biosensors fda licensed for this purpose by early next year about the same time a coronavirus vaccine is expected to be available to the general public\nliving foundries another longstanding darpa program now overseen by bto is known as living foundries according to darpas website living foundries aims to enable adaptable scalable and ondemand production of synthetic molecules by programming the fundamental metabolic processes of biological systems to generate a vast number of complex molecules that are not otherwise accessible through living foundries darpa is transforming synthetic biomanufacturing into a predictable engineering practice supportive of a broad range of national security objectivesthe types of research this living foundries program supports involves the creation of artificial life including the creation of artificial genetic material including artificial chromosomes the creation of entirely new organisms and using artificial genetic material to add new capacities to human beings ie genetically modifying humans through the insertion of syntheticallycreated genetic materialthe latter is of particular concern though all are honestly concerning as darpa also has a project called advanced tools for mammalian genome engineering which despite having mammalian in the name is focused specifically on improving the utility of human artificial chromosomes hacs which darpa describes as a fundamental tool in the development of advanced therapeutics vaccines and cellular diagnostics though research papers often focus on hacs as a revolutionary medical advancement they are also frequently promoted as a means of enhancing humans by imbuing them with nonnatural characteristics including halting aging or improving cognitiondarpa is known to be involved in research where these methods are used to create super soldiers that no longer require sleep or regular meals among other augmented features and has another program about creating metabolically dominant fighters reports on these programs also discuss the other very disconcerting use of these same technologies genetic weapons that would subvert dna and undermine peoples minds and bodiesanother potential application being actively investigated by darpa is its biodesign program which is examining the creation of synthetic organisms that are created to be immortal and programmed with a kill switch allowing a synthetic yet organic organism to be turned off at any time this has led some to speculate such research could open the doors to the creation of human replicants used for fighting wars and other tasks such as those that appear in the science fiction film bladerunnerhowever these genetic kill switches could also be inserted into actual humans through artificial chromosomes which just as they have the potential to extend life also have the potential to cut it short notably it was revealed in 2017 that darpa had invested 100 million in gene drive research which is involves the use of genetic modification to wipe out entire populations explaining why it it often referred to as a genetic extinction technologyin addition other darpa experiments involve the use of genetically modified viruses that insert genetic material into human cells specifically neurons in the brain in order to tweak human brain chemistry in one example darpafunded research has altered human brain cells to produce two new proteins the first allowing neural activity to be easily detected by external devices and the second allowing magnetic nanoparticles to induce an image or sound in the patients mind\nnextgeneration nonsurgical neurotechnology changing human brain chemistry and functionality at the cellular level is only one of numerous darpa initiatives aimed at changing how human beings think and perceive reality since 2002 darpa has acknowledged its efforts to create a brainmachine interface bmi though first aimed at creating a wireless brain modem for a freely moving rat which would allow the animals movements to be remotely controlled darpa wasnt shy about the eventual goal of applying such brain enhancement to humans in order to enable soldiers to communicate by thought alone or remotely control human beings on the enemy side only so they say for the purposes of warthe project which has advanced greatly in recent years has long raised major concerns among prominent defense scientists some of whom warned in a 2008 report that remote guidance or control of a human being could quickly backfire were an adversary to gain access to the implanted technology opening up the possibility of hacking a persons brain and they also raised concerns about the general ethical perils of such technologies work began in 2011 on developing brain implants for use in human soldiers officially with the goal of treating neurological damage in veterans and such implants have been tested on human volunteers in darpafunded experiments since at least 2015concerns like those raised by those defense scientists in 2008 have been regularly dismissed by darpa which has consistently claimed that its controversial research projects are tempered by their inhouse ethical experts however it worth noting how darpas leadership views these ethical conundrums since they ultimately have the last word for example in 2015 michael goldblatt thendirector of darpas defense sciences office dso which oversees most aspects of the agencys super soldier program told journalist annie jacobsen that he saw no difference between having a chip in your brain that could help control your thoughts and a cochlear implant that helps the deaf hear when pressed about the unintended consequences of such technology goldblatt stated that there are unintended consequences for everythingthus it is worth pointing out that while darpadeveloped technologies from human genetic engineering to the brainmachine interfaces are often first promoted as something that will revolutionize and improve human health darpa sees the use of these technologies for such ends as being on the same footing as other dystopian and frankly nightmarish applications like thought control bmis are no exception having first been promoted as a way to boost bodily functions of veterans with neural damage or posttraumatic stress disorder and to allow amputees to control advanced prosthetics while these do indeed represent major medical advances darpas leadership has made it clear that they see no distinction between the medical use of bmis and using them to exert near total control over a human being by guiding their thoughts and even their movementssuch stark admission from darpas leadership makes it worth exploring the state of these current brainmachine interface programs as well as their explicit goals for instance one of the goals of darpas nextgeneration nonsurgical neurotechnology n3 program involves using noninvasive or minimally invasive braincomputer interfaces to read and write directly onto the brainaccording to one recent report on darpas n3 program one example of minimally invasive technologies would involve", + "https://www.activistpost.com/", + "FAKE", + 0.06619923098581638, + 2392 + ], + [ + "CORONAVIRUS TIPS: Here are the best ways to immediately treat a viral infection", + "treatment recommendations for new virus that is shutting down entire cities the headlines read china quarantines a city of 11 million over deadly new virus little is known about the new virus making it more challenging for authorities to figure out the appropriate action to take experts say unfortunately they will not take appropriate action because they refuse to look at the fundamental weakness of all viruses which can be easily and cheaply exploitedpeople die of viruses all the time but the death rates can be sharply reduced if we pull the rug out from under them with rapid changes in ph and with heavy dosages of iodine selenium and magnesium chloride modern medicine refuses to look at these basic medicines which are commonly used in icu departments that save lives everyday refuses to entertain the idea that these same medicines could be perfect medicines to both prevent and treat this new viral disease\nauthorities do not know the incubation period which makes it difficult to know how to respond but we do know the virus spreads easily and quickly the province of hubei of which wuhan is the capital and largest city late wednesday reported a total 444 confirmed cases up from 270 announced the previous day\nthe chinese national health commission reported early friday that there have been 25 deaths from and 830 cases of the coronavirus a sharp increase the death toll increased by more than a halfdozen in 24 hours while the number of confirmed cases jumped by more than 200the media and medical system do not know how to respond except to create a panic however even worse infections are spreading but you will not read about them in the mediathere is a hushed panic playing out in hospitals around the world as a deadly fungus is spreading killing a lot of people the fungus known as candida auris kills almost half of all patients who contract it within 90 days according to the cdc as its impervious to most major antifungal medications first described in 2009 after a 70yearold japanese woman showed up at a tokyo hospital with c auris in her ear canal the aggressive yeast infection has spread across asia and europe arriving in the us by 2016residents inside wuhan have reported long lines at the citys hospitals with some patients seeking advice or treatment waiting hours to be seen videos posted to social media showed tense scenes as staff tried to maintain order in jampacked hospital corridorswant to understand your health situation and learn what best to do to feel better schedule a free 15minute exploratory call with dr sircus \nnow we read china extended has extended its quarantine on the city of wuhan over a deadly virus to two more cities on thursday cutting off a total of almost 19 million peopleits like cancelling christmas beijing scraps lunar new year festivities amid virus outbreakthe virus which was first diagnosed less than a month ago has already killed at least 18 people and infected more than 650 people around the world including confirmed reports in singapore and saudi arabiaone patient in wuhan infected more than a dozen medical staff there is one confirmed case in the us that person arrived by plane from china potentially everyone on the plane could now be a carrier and we may not know for a week or more it could be spreading around the world rapidly as many chinese have already traveled to every continent the following weeks will be tellingin wuhan a city of 11 million in central china where the new coronavirus originated will halt all outbound flights and trains and shut down its public transportation system from thursday morning the chinese government said a dramatic escalation in chinas battle to contain a pneumonia outbreak that has now killed 17 peopleseveral provinces and territories in china including fujian anhui liaoning and guizhou announced their first confirmed infection cases on wednesday according to cctv and local chinese authoritiestreatments for viral infectionif you do not want your loved ones to die of a viral infection the first thing you need to know is that the minute you or your kids get the sniffles you have to treat aggressively with natural not pharmaceutical drugs better yet the same medicines can be used to prevent infection in the first place so people interested in protecting their families from this virus and all others would be well advised to start treatments before treat preemptivelywe are talking about sodium bicarbonate magnesium chloride selenium and iodine all of which can be applied at high dosages to head viruses off at the pass before they take hold and choke a person to death all of these medicines can be administered at home safely and legally and one does not need a prescription because they are nutritional in nature not pharmaceuticalsusceptibility to infectious diseases is common in malnourished and toxic human populations this has traditionally been viewed as simply a consequence of the fact that the immune system must be maintained by adequate nutrition in order to function optimally only recently has data begun to accumulate in support of the idea that nutritional factors may sometimes have a direct effect on pathogens and that passage through nutritionally deficient hosts may facilitate evolutionary changes in infectious agentskilling viral infections with sodium bicarbonate certain viruses including the rhinoviruses and coronaviruses that are most often responsible for the common cold and influenza viruses that produce flu infect host cells by fusion with cellular membranes at low ph thus they are classified as phdependent virusesfusion of viral and cellular membranes is ph dependent fusion depends on the acidification of the endosomal compartment fusion at the endosome level is triggered by conformational changes in viral glycoproteins induced by the low ph of this cellular compartmentin 1918 and 1919 while fighting the flu with the u s public health service it was brought to my attention that rarely anyone who had been thoroughly alkalinized with bicarbonate of soda contracted the disease and those who did contract it if alkalinized early would invariably have mild attacks i have since that time treated all cases of cold influenza and la gripe by first giving generous doses of bicarbonate of soda and in many many instances within 36 hours the symptoms would have entirely abated wrote dr volney s cheney to the arm hammer companydr jerry tennant writes as oxygen levels continue to drop you get infections each of us contain about a trillion bugs they are suppressed when oxygen is present however as oxygen drops the bugs wake up and want to have lunchthey want to have you for lunch since they dont have teeth to take a bite out of your cells they put out digestive enzymes to dissolve your cells as they consume your cells you get sickthe most important factor in creating proper ph is increasing oxygen because no wastes or toxins can leave the body without first combining with oxygen the more alkaline you are the more oxygen your fluids can hold and keep the position of the oxygen disassociation curve odc is influenced directly by ph core body temperature and carbon dioxide pressure according to warburg it is the increased amounts of carcinogens toxicity and pollution that cause cells to be unable to uptake oxygen efficientlynever forget iodineextremely high doses of iodine can have serious side effects but only a small fraction of such extreme doses are necessary to kill influenza viruses writes dr david derry of canada in 1945 a breakthrough occurred when j d stone and sir mcfarland burnet who later went on to win a nobel prize for his clonal selection theory exposed mice to lethal effects of influenza viral mists pathology was prevented by putting iodine solution on mice snouts just prior to placing them in chambers containing influenza viruses dr derry also reminds us that a long time ago students in classrooms were protected from influenza by iodine aerosol therapy aerosol iodine also is effective against freshly sprayed influenza virusiodine is a must when dealing with deadly viruses and would go a long way in decreasing the death rate from ebola dr gabriel cousens wrote historically as early as 1911 people normally took between 300000900000 micrograms of iodine daily without incident other researchers have used between 3000 and 6000 microgramsday to prevent goiter deficiencies in iodine have a great effect on the immune systemvitamin d perfect helpmate to vitamin cvitamin d reduces the risk of dying from a viral infection researchers from winthrop university hospital in mineola new york found that giving supplements of vitamin d to a group of volunteers reduced episodes of infection with colds and flu by 70 over three years the researchers said that vitamin d stimulates innate immunity to viruses and bacteria very few have any idea that vitamin d can be taken in high dosages like vitamin c canmagnesium for acute illness magnesium chloride magnesium oil has always been and remains my favorite first line medicine that affects overall physiology dr raul vergini from italy says magnesium chloride has a unique healing power on acute viral and bacterial diseases it cured polio and diphtheria and that was the main subject of my magnesium book a few grams of magnesium chloride every few hours will clear nearly most acute illnesses which can be beaten in a few hours i have seen a lot of flu cases healed in 2448 hours with 3 grams of magnesium chloride taken every 68 hours my recommendation would be to follow dr verginis suggestion and augmenting that with transdermal magnesium therapy the second edition of transsdermal magnesium therapy is also available in hardcopy from amazoncom\nselenium medicineselenium deficiency may allow invading viruses to mutate and cause longerlasting more severe illness animal research has shown selenium and vitamin e have synergistic effects enhancing the bodys response to bacterial and parasitic infectionsin that selenium is a potent immune stimulator is an 18month study of 262 patients with aids that found those who took a daily capsule containing 200 micrograms of selenium ended up with lower levels of the aids virus and more healthgiving cd4 immune system cells in their bloodstreams than those taking a dummy pillthese aids patients who took selenium were able to suppress the deadly virus in their bodies and boost their fragile immune systems adding to evidence that selenium has healing powers that should be employed for all viral threatsthe clinical investigations in sepsis studies indicate that higher doses of selenium are well tolerated as continuous infusions of selenium as sodium selenite 4000 μg selenium as sodium selenite pentahydrat on the first day 1000 μg seleniumday on the nine following days and had no reported toxicity issues in view of this new information biosyn introduced the 1000 µg dose vials for such high selenium clinical usageusing sunlight to ramp up immune responsesunlight offers surprise benefit it energizes infection fighting t cells reads the headlines georgetown university medical center researchers have found that sunlight through a mechanism separate than vitamin d production energizes t cells that play a central role in human immunityprofessor gerard ahern who lead the study at georgetown said we all know sunlight provides vitamin d which is suggested to have an impact on immunity among other things but what we found is a completely separate role of sunlight on immunity some of the roles attributed to vitamin d on immunity may be due to this new mechanismone of the greatest triggers of influenza the swine flu and deaths from pulmonary deficiency is vitamin d deficiency vitamin d reduces the risk of dying from all causes including the flu researchers from winthrop university hospital in mineola new york found that giving supplements of vitamin d to a group of volunteers reduced episodes of infection with colds and flu by 70 over three years the researchers said that the vitamin stimulated innate immunity to viruses and bacteria very few have any idea that vitamin d can be taken in extremely high dosages like vitamin c canwhen our immune system is already depressed we die more easily when confronted with infection emerging viruses are becoming more virile and aggressive and traditional medications are becoming less effective against them viruses are smart mutating and becoming resistant to antiviral pharmaceuticals global crises such as ebola sars and dengue fever spread more quickly than we can develop medicines to fight them and every season there are new flu strains that challenge the effectiveness of vaccines", + "https://web.archive.org/", + "FAKE", + 0.13791043631623343, + 2083 + ], + [ + "the Obama family fly to a private island to escape the coronavirus pandemic.", + "reach into your pocket or purse and pull put the wallet you carry when you go patriotically shopping at your nearest american small business or gun store is there thirty billion dollars in there no then your last name isnt obama and you dont own your own private safe island where you and your family and friends can wait out any crisis that the unwashed masses have to suffer throughtwo days ago while you and i were washing our hands and not going to the theater to see whatever terrible movie the distributors release in march before saving all the good ones for may june and july the obama family flew by private jet liner to their private safe island somewhere in the pacific tropics where they will remain safe and sound from any harm several friends and family members flew in on later flights including religious leader al sharpton actor jussie smolette and basketball star joe barronthe multibillion dollar island dubbed smoovyotown on nautical charts is over thirtysix miles in area the main living mansion resides on the eastern coach with a private beach tennis courts and indoor football field as well as several freshwater and noxemafilled swimming pools nearby the domicile is a fullyfunctioning private mall with its own cinnabon spencers gifts gamestop and not one but two starbucks to the islands northern side sits the obama command center with a private security force a welldefined hospital and a factory constantly producing a biologicallyengineered applelike fruit known to cause instant orgasmallof this setup certainly seems like the obamas have written off helping their fellow americans in any way and no word has been released detailing how long they plan to hide on the island during this trying time but it does feel some people say like the attitude being presented is that obama lives matter maybe billions of dollars more than yours or mine", + "https://obamawatcher.com/", + "FAKE", + 0.13382594417077176, + 316 + ], + [ + "5G, the fifth-generation wireless technology, cause the novel coronavirus", + "there has been a dramatic and quantum leap in the last six months with the electrification of the earth and im sure a lot of you know what that is its called 5g where they now have 20000 radiation emitting satellites just like the radiation emitting thing in your pocket and on your wrist and that you use all the time that is not compatible with healthevery pandemic in the last 150 years there was a quantum leap in the electrification of the earth in 1918 late fall of 1917 there was the introduction of radio waves around the world whenever you expose any biological system to a new electromagnetic field you poison it you kill some and the rest go into a kind of suspended animation so that interestingly they live a little bit longer and sicker", + "YouTube", + "FAKE", + 0.09518939393939392, + 138 + ], + [ + "THE BEST WAYS TO PREVENT AND TREAT Co-vid19 (CORONA VIRUS)", + "we now understand the covid19 corona virus is a battle of the immune system it is an outright attack on those with a compromised immune system the british government has even taken the extraordinary stance that its now down to the immune system of the entire population but could our genetic code also make all the difference here looking at the data it certainly looks that way so please read and share this information as we give further tips on how to survive this terrible manmade virusthe novel covid19 corona virus is such an evil agenda depopulate the drainers on society like the elderly and immunocompromised bring in the new world order 5g technology digitize money and force through the bio patriot act for mandatory vaccinations world wide but in amongst all this there are ways to naturally treat this disease without risking your life on the imminent vaccines the flu death rate is overall 01 and the covid 19 is 36 worldwide thats a huge difference for italy the death rate is far higher and running at 62 they have more icu beds per person than the us so what could be the difference here they say that within 14 days it is going to explode in the usa even though this virus was manmade and part of an evil agenda it is killing people and we need to wake up we really wish we could have stopped it i know some of us in the so called alternative world tried but our message gets crushed and any views outside of the mainstream dismissed as quackery and conspiracy theories this has been carefully orchestrated and now it is here the people want the vaccine they want the magic pill that will make all this go away and of course that was all part of the planbut as we have reported the vaccines could of course be worse than the virus itself with trials on humans now startingso as to try and avoid this evil agenda we would like to share with you some tips on staying healthy boosting your immune system and potentially hopefully saving some lives as well\npanic and stress are also bad for the immune system so get armed and stay well knowledge is power its time to take charge of your own health death rates the morbid predictions as we see it right now are these for any one of these groups most at riskcardiovascular disease 105 chance of death diabetes 73 chance of death chronic respiratory disease cancer or hypertension 6 chance of death over 65 15 chance of death keep the elderly protected it may sound mean but this is a time for children to stay away from their grandparents many children are asymptomatic that is they do not show symptoms but are carriers and so as yet another cruel twist to this evil virus is that children are unwittingly infecting their grandparents so to lower the infection rates the advice is for all children under the age of 9 to stay away from their grandparents for a while and not even be in the same homes of people over the age of 60 15 of the elderly that have covid in italy are now dead italians and iranians we have personally spoken with mds from italy and iran and the potentially link here is that italians and iranians share certain common genetic deformities of the 50 cases that popped up with covid19 in louisiana most were in the new orleans area and of italian decent so maybe we will only see large death rates in chicago new york new orleans new jersey and las vegas where we have large italian communities so what is the shared genetic disorder well it would seem that their il6 interleukin 6 and their ace 2 genes seem to be impaired is this the reason we are seeing such higher death rates in italy and iran tocilizumab and ace2 inhibitors for anyone of italian and iranian descent that are likely to be suffering from an interleukin 6 impairment then we recommend you have a interleukin 6 blood test this test is mainly used to test for the presence of interleukin 6 but it is also used additionally as a diagnostic tool in the early detection of several health issues some of these are autoimmune disorders leukemia sepsis diabetes cardiovascular diseases rheumatoid arthritis lupus many of which are the major watch out groups for the coronavirus of course if you test positive then you will need to take actemra also known as tocolizumab and ace 2 inhibitors actemra tocilizumab reduces the effects of a substance in the body that can cause inflammation actemra is used to treat moderate to severe rheumatoid arthritis in adults as well as giant cell arteritis or inflammation of the lining of your arteries blood vessels that carry blood from your heart to other parts of your body it has also been used to treat severe or lifethreatening cytokine release syndrome crs caused by an overactive immune response to certain types of blood cell treatments for cancer and so has been seen as potentially a break through in treating the coronavirus ace 2 angiotensin converting enzyme inhibitors ace inhibitors are a group of medicines that are mainly used to treat certain heart and kidney conditions however they may be used in the management of other conditions such as migraine and sclerodermathey block the production of angiotensin ii a substance that narrows blood vessels and releases hormones such as aldosterone and norepinephrine by inhibiting an enzyme called angiotensin converting enzyme angiotensin ii aldosterone and norepinephrine all increase blood pressure and urine production by the kidneys if levels of these three substances decrease in the body this allows blood vessels to relax and dilate widen reducing both blood and kidney pressure ace inhibitors also increase the production of bradykinin another substance that makes blood vessels dilate so could these 2 drugs that have been used for other treatments be a break through it certainly looks promising vaccinated children another worrying factors is children who have been fully vaccinated could well be at risk as this means their immune systems and dna could well be altered due to this incredible load of toxins and dna they have received via vaccines we have met with a 6yearold boy who is a neighbour who has no history of illness but is fully vaccinated he had a cytokine storm went into seizures and is now paralyzed and on life support with suspected covid19 this is a worrying factor that no one is talking about as is well reported most of the people that get hospitalized are over 60 with their chance of death on average being around 15 the others under 60 that are being hospitalized are usually diabetics or suffering from cardiovascular disease also even if you show no symptoms reports from china we have family friends and colleagues there are now stating that even some of the people that were asymptomatic are now seeing scars occur on their heart and lungssodium chlorite one of the very first things we do with the sign of any developing virus is take sodium chlorite which you can get from keaveys corner full spectrum cannabis oil is also very useful for the immune system to take full spectrum cannabis oil please also see this section for more on cannabis oil vitamin c as there are a lot of reports of high dose vitamin c being a break through with covid we want to also warn people that its important to choose the right type of vitamin c and get your genetics tested via a simple blood test before taking this routemost of the molecular biologists we have spoken to are saying that natural organic plant based vitamin c ascorbate is going to be the better way to treat the virus than with synthetic gmo ascorbic acid remember notrodamus did not eradicate the black death in europe with ascorbic acid he did it with rose hips and rose petals high dose vitamin c reports have stated that vitamin c is being used to treat sufferers of the coronavirus through iv its no surprise of course that vitamin c is being used as we all know that in times of a cold or a flu it is what we need numerous processes in your immune system require vitamin c to function at their optimal levels the powerful nutrient supports antibodies white blood cells and your bodys natural defence system against pathogensliposomal vitamin c provides a powerful way to fortify the front lines of the immune system the great news is that its surprisingly cheap easy to make liposomal vitamin c at home which is 8 times more effective than iv as the most effective way we have found of obtaining a high dose of vitamin c is to make it at home its cheap and easy with the right few bits of kit see below you can order from amazon to get started once you have these essential items you can make liposomal vitamin c for everyone and for a long time so no need to rely on external sources just make up a batch and keep it in your fridge each batch lasts about a week in the fridge but first of all please also be aware of your genetics see below so whats so good about liposomal vitamin c cardiologist and orthomolecular specialist dr thomas levy discovered exactly why the clinical results of this type of oral vitamin c could increase the efficacy of vitamin c dr levy has treated thousands of patients with iv vitamin c and is seriously involved with orthomolecular high dose vitamin treatment medicine he came to realize that the combination of vitamin c and essential phospholipids radically improved cellular bioavailability in other words it delivers straight to the cells where it is needed most less than 20 percent of iv c actually makes it into the cells but the lypospheric compound permits 90 percent of the vitamin c to get into cells thats because cell walls are made of fats vitamin c is water soluble and so dissolves in the blood and in the journey to the cells making it less effective\ntiny particles of vitamin c coated with phospholipids create molecules of vitamin c coated with a substance similar to the cell wall itself thus those coated vitamin c molecules can slip into the cells easily the encapsulation also avoids the diarrhoea thresholds of normal oral vitamin c which makes it ineffective liposomal vitamin c is also of course more accessible than iv c treatments meaning that you can make this at home without attending a clinic liposomal vitamin c can also help fight cancer see this article for more how do i make liposomal vitamin c at home you will need an ultrasonic cleaner here is an example of the type you will need a non gmo lecithin such as this one non gmo plant based vitamin c not ascorbic acid pure filtered water instructions take one cup 250ml of warm filtered water 2 tablespoons of30ml of pure vitamin c mix them together in a jug take 105 tablespoons of lecithin in 2 cups of pure filtered water stir these together in a separate jug pour this into a blender and blend for 4560 seconds now add the vitamin c mix and blend it for another 4560seconds on a high speed pour this mix into the ultrasonic cleaner and set it for 8 minutes keep stirring it during this process after 8 minutes the liposomal mix is now ready you can store this in your refrigerator for a week we recommend that you drink a glass of this everyday for a strong immune system boosting tonic it has a strong eggnog taste that you get used to it makes 900mg per ounce of liposomal vit c important note if you have active hfe h63dc282ys65c and hereditary hemochromatosis then do not take high dose vitamin c if you are of african or middle eastern descent then please get your g6pd and whole blood quantitive and iron panel checked before and after taking any high dose vitamin c or any ivc treatment they had a very deadly snp a singlenucleotide polymorphism which is a variation in the dna sequence that can occur at particular locations pronounced snips that means when given a d e k and c in synthetic forms it causes major problems ascorbic acid is lethal to most people with certain g6pd snps hfe h63d c282y and s65c the problem is that they may be fine but large doses of vitamin c can cause it to epigenetically express the hfe folks as long as they do not have cancer i also put them on benfotiamine if you have cancer as well as hfe then we recommend thiamine if you have hfe and your ferritin is under 1500 then we recommend low dose benfotiamine one cup of stinging nettle and dandelion root infused in the same cup daily for a week and 169 ounces of water a day in as little as one week sometimes 3 weeks all of their iron issues are resolved if ferritin is over 1500 i usually put them on a kettle of stinging nettle and dandelion and benfotiamine unless cancer thiamine and a litre of wattahh a day usually in less than a week it is resolved for hfes a good mineral supplement nothing ionic because the tea is diuretic unless there are renal issuesfor g6pds i also do the same but i do not give them vitamin b1 most in g6pd deficiency have to do everything herbal safer cs for hfes and g6pds are things like amla camu and rose petal and sometimes rose hips but they should not take the dose all at once and if they are in an active flare they should be drinking wattahh or all they are going to do is waste the vitamin c other ways we can protect ourselves against any virus god gave us a perfectly capable immune system so the best way to fight any of the external pathogens including viruses that we encounter on a daily basis including the coronavirus is by eating well avoiding sugar and processed foods and getting as many nutrients inside us as possible that includes drinking lots of water and getting vitamin d from the sun staying indoors all the time will not help your immune system we need daily exposure to the sun otherwise take vitamin d with k2 supplements it is our immune systems that keep us protected from all viruses pathogens and toxins if your immune system is depleted then you are sure to get sick in some way or another so lets take care of it anyone with a healthy lifestyle a clean diet and strong immune system should be well equipped to cope with any virus but if you are concerned about your own immune system then please read md fermins informative and thought provoking article stating that the medical world has much to gain from embracing immunotherapy such as genuine gcmaf we all have gcmaf in our bodies as it is a naturally occurring protein the likelihood is that if you are well and healthy you have enough of it to fight off viruss and pathogens if on the other hand you are sick or have been diagnosed with a serious condition then your immune system is low and so your gcmaf is too no sugar another important factor is to limit the consumption of carbohydrates and refined sugars which impair the oral absorption of vitamin c dr john ely emeritus professor at the university of washington has also shown that sugar depletes vitamin c from white blood cells and makes them sluggish\nwhite blood cells are the very cells that attack viruses and tumor cells and destroy them surgical masks are not enough if you are travelling on a plane or a train or going out in public then we recommend that you wear a gas mask a surgical mask will not fully protect you from the viral particles kratom has some good news dr thamrin usman a professor of chemistry at tanjungpura university in indonesia recently gave an interview about the diversity of tropical plants in west kalimantan that have a lot of compounds that can strengthen the immune system and ward off coronavirus and one of the plants he mentioned thats definitely worth noting is mitragyna speciosa more popularly known as kratom this popular natural alternative to pain medications which hails from the same plant family as coffee contains a special compound known as chloroquine or cq that research shows is powerfully combative against coronaviruses theres more than just one coronavirus in the world just look at the label on a standard disinfectant spray bottle to see for yourself and cq could be a type of master key that protects against all of them by looking at the chemical structure of chloroquine molecules that contain secondary and tertiary amine compound structures it can be considered to use kratom leaves because mitragynine compounds in kratom are actually secondary and tertiary amines dr usman is quoted as saying if you have trouble acquiring kratom or genuine gcmaf then please get in touch with us here other immuneboosting nutrients that dr usman recommends in light of the wuhan coronavirus covid19 crisis include vitamin c which has a warming effect on the body in much the same way as ginger and other spices he also points to virgin coconut oil as yet another powerful antiviral this material has been proven to boost the bodys immune system he says about all of these natural remedies according to dr theron hutton md nacetyl cysteine selenium spirulina and highdose glucosamine are all supplements of natural origin that have been scientifically shown to provide protection against rna viruses like influenza and coronavirus in a paper entitled nutraceuticals have potential for boosting the type 1 interferon response to rna viruses including influenza and coronavirus researchers from the catalytic longevity foundation and the mid america heart institute at st lukes hospital found that these and other herb extractions such as elderberry possess symptomatically beneficial properties that can help to mediate the impact of infections such as coronavirus which is definitely worth considering", + "https://healingoracle.ch/", + "FAKE", + 0.12257921476671481, + 3066 + ], + [ + "SCIENTIFIC EVIDENCE IS MOUNTING THAT THE CORONAVIRUS IS MAN MADE AND TARGETING THE CHINESE RACE", + "scientific evidence is mounting that the disease like all the coronaviral diseases including the 2019ncov predecessor sars severe acute respiratory syndrome 2002 2003 also in china and its middle east equivalent mers middle east respiratory syndrome are not only laboratory fabricated but also patented and so are many others for example ebola and hiv both sars and 2019ncov are not only manmade but they are also focusing on the chinese race thats why you find very few people infected in the 18 countries where the coronavirus has spread", + "https://journal-neo.org/", + "FAKE", + 0.09333333333333334, + 88 + ], + [ + "Virologists are LYING about the origins of coronavirus: Yes, the coronavirus contains gain-of-function gene sequences that were INSERTED into the virus", + "for months the establishment has been dishing out a narrative claiming that the wuhan coronavirus covid19 is a natural albeit mysterious and unexplained phenomenon that probably originated at a chinese meat market but contrary evidence continues to surface suggesting that the virus actually originated inside a chinese laboratory and research centermany virologists continue to deny this of course claiming that there is no evidence to support the notion that the wuhan coronavirus covid19 might in any way be unnatural but the genetic hallmarks they are looking for as proof may not be as evident as previously believed because modern genetic engineering can be done without leaving a tracebelieve it or not a swiss research team was able to create a synthetic clone of the wuhan coronavirus covid19 in less than a month and they did this by inserting genetic fragments in such a way that unless a scientist knows exactly what to look for would not necessarily be apparent\nover the past 1520 years researchers have been actively studying dissecting reconstructing and otherwise tampering with coronaviruses of various types this includes the wuhan coronavirus covid19 which one scientific researcher describes as an obvious chimera meaning it is a combination of at least two preexisting virusesthis scientist who goes by the name of yuri deigin and edits the open longevity journal both in russian and english says that the wuhan coronavirus covid19 is based on an ancestral bat strain of coronavirus known as ratg13 but with a replaced receptor binding motif rbm in its spike protein\nthe wuhan coronavirus covid19 also contains an added stretch of four different amino acids that he says were inserted into the virus creating a furin cleavage site that as virologists have previously established significantly expands the repertoire of the virus in terms of whose cells it can penetratebecause of this deigin speculates the wuhan coronavirus covid19 was probably able to mutate and jump species leaving its original host and infecting humans and it just so happens that this very type of research was taking place at the infamous wuhan institute of virology in wuhan china which is where the wuhan coronavirus covid19 originatedvirologists like shi zhengli deigin points out have done many similar things in the past including replacing the rbm in one type of virus with the rbm of another they have also added new furin sites to coronaviruses creating new artificial speciesspecific coronaviruses that borrow from other coronaviruses in their ability to do new thingsnow this does not necessarily mean that the wuhan coronavirus covid19 was an intentional bioweapon at least in deigins view it could be that it was an experiment gone wrong rather than an intentional effort at plunging the entire world into a pandemic at the same time it does seem clear that the virus did in fact come from a lab and probably from the wuhan institute of virologyteams led by shi zhengli have created at least eight artificial chimeric coronaviruses over the years and received money from nih deigin uncovered that between the years of 2007 and 2017 shi zhengli and colleagues created at least eight new chimeric coronaviruses with a variety of rbms and in 2019 the united states national institutes of health nih actually gave the wuhan institute of virology 37 million as part of a grant entitled understanding the risk of bat coronavirus emergencethat same year shi zhengli coauthored a paper calling for continued research into these and other synthetic viruses both in vitro and in vivo arguing that there are no clinical treatments or prevention strategies currently available with regard to human coronavirusesall of this is highly suspicious seeing as how 2019 was the very same year that the wuhan coronavirus covid19 first emerged in china and in the same city where shi zhengli and colleagues were working on similar coronaviruses there is little doubt that this chimeric virus originated in that lab despite continued denial by the chinese communist party ccpbut it no longer matters what the ccp claims as people all over the world are figuring out the truth on their own it is at least apparent that something went amiss with the containment of this virus and it is possible that whatever happened was intentionaldeigin lays out the details from shi zhenglis 2019 paper about the relative ease with which even a graduate student in the field could create such a virus he also spells out the detailed biology of the wuhan coronavirus covid19 as evidence that it definitely matches the type of thing that shi zhengli describesbased on the evidence he puts forth which you can peruse in its entirety at this link the only logical conclusion is that the wuhan coronavirus covid19 is genetically modified and came from the wuhan institute of virology he also traces the origins of the ratg13 strain from which the wuhan coronavirus covid19 was derived\namazingly shi zhengli admitted just this year that she was the one who isolated ratg13 back in 2013 from yunnan horseshoe bats of the rhinolophus affinis variety none of this was known however until january 2020 when the wuhan coronavirus covid19 first started arriving in the us\nall of this absolutely implicates communist china in the unleashing of this global pandemic not to mention the nih that helped to fund this type of research heads need to roll and those who have been victimized by this thing including everyone who has been forced into lockdown deserves a full measure of justice\nbioweapon or not the wuhan coronavirus covid19 is a product of china as well as a product of our own federal government and both entities need to be held accountable for the roles they played in scourging the planet with this invisible beaston the other hand if it was all just an accident as deigin believes was probably the case then those involved need to fess up and admit their error rather than continue to claim that all just some wild conspiracy theory", + "https://www.naturalnews.com/", + "FAKE", + 0.03153001534330649, + 995 + ], + [ + "The EU is failing to deal with the pandemic; the Union is about to collapse", + "the eu is failing to deal with the pandemic the union is about to collapse eu is dismantling in the face of covid19", + null, + "FAKE", + 0, + 23 + ], + [ + "IS THE CORONAVIRUS, THE BIGGEST COVER UP IN HISTORY?", + "as we continue to wade through the mounting evidence that the coronavirus seems to be one big fat fake there are more people coming forward to question these new laws that have pretty much already been made the toxic untested vaccines are coming and soon every single person on the planet will be forced to have them this stuff is happening at an alarming rate and bill gates has been preparing for this for some time as we continue to expose this incredibly manipulative coronavirus story we now wonder if this is set to become the biggest cover up in the history of mankind\nfictional germ warfare would seem to be winning here as why not they invented the rules the rest of us are playing catch up at a far slower pace the people are now convinced and will do just about anything to get out of the house and back to their old lives and jobscould we see the bankruptcy of countries the end of the old supply chain soon to be replaced by central systems central banking central food supplies all under one centralised global government\nmass unemployment is already becoming the norm what will this 5g rollout mean to the health of the world these towers kill everything that come close trees plants animals insects humans best to create a virus first a scape goat that can then be labelled with every other death that happens watch this video from the former ceo of vodafone uk forget nuclear war as commander in chief bill the gate keeper gates stated in his 2015 ted talk its not missiles that we now need to fear but microbes for it was no longer nuclear weapons that would be the next big threat to humanity but a virus not cancer no not cancer he doesnt want us to think about that or heart disease or the side effects of medications and his enforced vaccinations but a man made mutated disease the bad guy is needed first in this plot he tells the audience how we are not ready for the next epidemic in truth he was getting very readycovid19 has actually been downgraded so why the global shut down as some of you may have heard by now covid19 actually got a quiet downgrade 2 weeks ago according to the british governments own website that states as of 19 march 2020 covid19 is no longer considered to be a high consequence infectious disease hcid in the uk yet this is not being celebrated bans being lifted stores being reopened its not being reported at all and has not meant businesses reopening or travel being restored to normal why is that it states the 4 nations public health hcid group made an interim recommendation in january 2020 to classify covid19 as an hcid this was based on consideration of the uk hcid criteria about the virus and the disease with information available during the early stages of the outbreak now that more is known about covid19 the public health bodies in the uk have reviewed the most up to date information about covid19 against the uk hcid criteria they have determined that several features have now changed in particular more information is available about mortality rates low overall and there is now greater clinical awareness and a specific and sensitive laboratory test the availability of which continues to increase the advisory committee on dangerous pathogens acdp is also of the opinion that covid19 should no longer be classified as an hcid as jon rappoport points out on nomorefakenewscom the mistake is to think of this as one thing one disease one bad guy its not its many things being given one handy to remember label pollution radiation general ill health is now being labelled as covid the cdc that owns the patent to 56 vaccines with over 270 in the pipeline is that a big enough vested interest is telling coroners to record any death that is potentially similar to what they describe as covid like symptoms as death by covid so thats any type of pneumonia or flu is being recorded as death by coronavirus thats playing with the numbers right there on the websitewhilst in the uk gps are not even needed to physically be there when recording a death as covid according to the pulse an online resource for medical practitioners the coronavirus act which was passed by parliament yesterday and is law as of today means it is now possible for gps to certify death without physically attendingthe emergency laws are designed to consider the coronavirus restrictions on inperson interactions and that death may occur in households that are selfisolating making it difficult for gps to attend in personhandy that italy so its no surprise then that an article in bloomberg highlights that 99 of those who were recorded to have died from the coronavirus also had other illnesses more than 99 of italys coronavirus fatalities were people who suffered from previous medical conditions according to a study by the countrys national health authoritythats only 08 had no other illnesses the coronavirus is not even airborne its a result of 5g thats already been implementedplease watch this interview that spells out many of these and more of the lies that are circulating the globe and keeping everyone locked indoors dr kauffman you are a brave manhere is the book dr kauffman recommends what really makes you ill this book will explain what really makes you ill and why everything you thought you knew about disease is wrong doctors are men who prescribe medicines of which they know little to cure diseases of which they know less in human beings of whom they know nothing voltaire the conventional approach adopted by most healthcare systems entails the use of medicine to treat human diseaseplease also visit the world death clock a dynamic clock that calculates the number of people who are dying in the world every second on an average there are 56 million deaths that take place in a year the corona virus is a tiny drop in the ocean even after they have manipulated the numbersis this paving the way for more deaths that can be attributed to this masked foe this mysterious ficticiuos killer in our midst or will perhaps and maybe this is just a distant hope more and more people come forward to prove this façade is one big con\nan april fools joke that went to far not if this man has anything to do with it when did we elect bill gatessee below bill the gate keeper the most powerful man at the who appears to be acting as the new american unelected president did we miss the campaign or did we just simply skip the entire process as it takes too long when there are vaccines to rush out and skip the entire testing process due to this emergency as now we see him weighing in on this story all over his media channels saying the number of us cases has not yet peaked and the country wont likely be able to return to normal life by aprilamazing that 2 of the interviewers are there to make it look like a balanced view whereas in reality its just bill telling everyone to shut down and stay shut down until we get these numbers low what does that mean how low is lowwell according to bill gate keeper these numbers need to be really lowhow is that possible when coroners are told to record any death they may suspect to be the corona virus as covid with these kind of guidelines no wonder we have not seen the peak of numbersthats pretty scary when you consider that the numbers now with all the fixing going on are already pretty low in comparison to the population of the usa mass herding whilst social distancing and herding everyone home also seems to suddenly be the preferred route we cant help thinking if this virus is supposed to be everywhere why do you need to go back to the country on your passport irrespective of whether you have a home in that country or not why are they making people travel back home if this virus was to be contained surely the advice would be to stay put and sit it out why do they need everyone to go back to their home country its all about the database linked to your id and your passport litterally like sheep herding get them all back in the barn so you can stamp them bloomsberg reported on how the gates foundation planned and practised for the coronavirus germ game in a simulation only 4 months ago in new york called event 201preparing business leaders for a pandemic bill gates calls it germ games but meant that business leaders and health chiefs were already prepped and knew what to saythe id2020 alliance combines vaccines with implantable microchips to create your digital id in a reddit qa billionaire philanthropist bill gates revealed his plan to use digital certificates to identify those who have been tested for covid19microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against itthe 64 year old tech mogul and most powerful medical figure on the planet revealed this yesterday during a reddit ask me anything session while answering questions on the covid19 coronavirus pandemic according to business insider bills microchip id is already being paid forthe cdc will set up a coronavirus surveillance and data collection system as part of the 2 trillion stimulus bill which president trump just signed into law\npresident donald trump signed into law a sweeping stimulus bill that will pump emergency funding into the cdc to combat the coronavirus including a system to gather data on how the virus is spreadingof the funding allocated to the cdc the stimulus sets aside at least 500 million for public health data surveillance and modernizing the analytics infrastructure the cdc must report on the development of a surveillance and data collection system within the next 30 dayswhile its not clear what form that surveillance system will take the federal government has reportedly expressed interest in aggregating data that can be gleaned from tech platforms and smartphone use to monitor movement patternsyet according to the top expert in the usa dr fauci states that covid19 may be more like influenza with a case fatality rate of more like 001 whilst social distancing and herding everyone home seems to suddenly be the preferred route we cant help thinking if this virus is supposed to be everywhere why do you need to go back to the country on your passport irrespective of whether you have a home in that country or not why are they making people travel back home if this virus was to be contained surely the advice would be to stay put and sit it out why do they need everyone to go back to their home country its all about the databaseid wallet please watch this video the microchip that will replace your wallet your keys your privacy your freedom and your health we wish we had better news we really do", + "HealingOracle.ch", + "FAKE", + 0.08888180749291859, + 1888 + ], + [ + "Plandemic", + "dr fauci the director of the national institute of allergy and infectious diseases and a leading voice on the coronavirus had buried her research about how vaccines can damage peoples immune systems it is those weakened immune systems that have made people susceptible to illnesses like covid19secret plot by global elites like bill gates and dr anthony fauci to use the coronavirus pandemic to profit and grab political power wearing the mask literally activates your own virus\n", + "YouTube", + "FAKE", + 0.19999999999999998, + 77 + ], + [ + "WHO INVENTED THE CORONAVIRUS?", + "in front of us apparently is the ideal crime of the millennium to maintain world domination a small group of people a group of people developed and used biological weapons on a global scale there have never been such precedents in history and if there are many arguments in favor of this version then there is not one that refutes it convincingly this is what we must first take into account when speaking of genocide which had no historical analogies", + "http://geoclub.info/", + "FAKE", + 0.205, + 80 + ], + [ + "Coronavirus Patients in China to be Treated with High-Dose Vitamin C", + "breaking news china is conducting a clinical trial of 24000 mgday of intravenous vitamin c to treat patients with coronavirus and severe respiratory complications participants will receive iv vitamin c for 7 days straight at zhongnan hospital of wuhan university honor and thanks are due to zhiyong peng md for making this happen he is chief physician and professor at the hospital which is close to ground zero for coronavirus this important study was filed and announced yesterday and details may be confirmed at at zhongnan hospital in wuhan china 24000 mg of vitamin c will be administered to coronavirus patients intravenously each day for 7 daysto fight a dangerous virus for which there is no existing medical treatment you must rely on your own immune system it is well established in every nutrition textbook ever written that you need vitamin c to make your immune system work well or to even work at all inadequate vitamin c intake is a worldwide problem that can be immediately and economically fixed with even modest amounts of supplemental vitamin c deaths will decrease in one study a mere 200 mg of vitamin cday resulted in an 80 decrease in deaths among severely ill hospitalized respiratory disease patientsanother recent study used this same low 200 mg dose for infants and children under five years of age with severe pneumonia the authors concluded that vitamin c is effective in reducing duration of severe pneumonia in children less than five years of age oxygen saturation was improved in less than one daya lack of vitamin c has been long known literally for decades to increase susceptibility to virusesit is one thing to be sick from a virus and another thing entirely to die from a viralinstigated disease the greatest danger with coronavirus is escalation to pneumonia for this much higher doses of vitamin c are indicated preferably by iv\n\nhow to administer highdose intravenous vitamin c in hospital chinese language edition is now posted for free access this information is now being publicized all over asia just because it is not on the american news channels doesnt mean its not happening it is this is real news the fake news is the medias neglect in not reporting it and here is the protocol in english to make reporting all the easier", + "http://orthomolecular.org/", + "FAKE", + 0.02716269841269842, + 386 + ], + [ + "Pictures and reports of “empty hospitals” prove COVID-19 spread is “fake crisis for real government planned agendas.", + "nurses reporting hospitals are empty mostly fake crisis for real goverment sic planned agendas wait for them", + "Facebook", + "FAKE", + -0.13333333333333333, + 17 + ], + [ + "COVID-19 Provides Media and Politicians Ground Cover for Destroying Life, Liberty and the Pursuit of Happiness", + "with every tragedy that befalls mankind few political leaders can resist the temptation to enhance the powers of the security state while attacking civil liberties the response to the coronavirus pandemic has proven to be no exceptionmany people are asking as the covid lockdown keeps many businesses shuttered will the economy ever be the same again no small consideration considering the arbitrary nature of the lockdown which seems to focus its wrath on small businesses while allowing the major corporations to survive but there are other serious considerations like how the media and politicians will hide behind political correctness and virtue signaling to conceal their ulterior motives\none story that nicely encapsulates that agenda is by the bbc which carried the totally objective headline coronavirus arrests over disgusting racist covid19 stickers it is a very simple story that speaks volumes about where we are heading as a civilization plot spoiler to hell in a handbagthe brief article tells the story of two young men identities unknown who were arrested for applying stickers in public places but not just any old stickers these ones carried the phrases open border virus disorder and pubs closed borders open the accused however said to be connected to a farright group were not charged with the relatively minor offense of defacing public property but rather on suspicion of racially aggravated public order offences whatever those may happen to bethe message is clear any suggestion that open borders may not be the best idea even at the peak of a global pandemic is the wild ranting of a foamingatthemouth xenophobe as opposed to maybe just a germophobe and should be immediately vilified and rejected out of hand in other words yet more identity politics enshrined in cultural marxist ideology sets the agendaindeed the severe brevity of the article made it look more like a cheap communist propaganda poster than any work of journalism the reader is treated to a quote from one alex gwynne who seems to be resident but that is never disclosed using this pandemic to spread racism and hatred is unacceptable thank you alexnext up is ben miskell a local councilor who is quoted as saying these sorts of things are meant to just divide us and capitalise on something awful that is happening in britain for some really sinister aimlike perhaps containing the spread of a pandemic that has forced the lockdown of businesses and communities around the world as to be expected the article never once attempted to provide some insight into the deep fear and frustration that is gnawing away at so many people in britain and elsewhere as families fear for an uncertain future while the media obsesses over the coronavirus the british are forced to watch as thousands of new arrivals enter their country each month yet not a peep from the media as to the logic behind such programs amid a pandemic it is those sorts of deceitful liberal tactics which discard real concerns over open borders as racist and chauvinistic that will help bring the lockdown pot to a boil\nmeanwhile with borders in the western becoming practically a synonym for racism the authorities have taken to the skies to make sure the local herd is complying with socialdistancing measures and reportedly with the assistance of china all in the name of protecting lives of coursechinese company da jiang innovations the worlds largest drone manufacturer has donated their aerial vehicles to law enforcement agencies in 22 us states in their effort to regulate social distancing rules yet in 2017 the department of homeland security warned that dji was selectively targeting government and privately owned entitiesto expand its ability to collect and exploit sensitive us data this led to the department of the interior grounding its fleet of some 800 dji drones over security fears yet when it comes to monitoring americans in both public and private settings not even the sky is the limitif these drones save one life it is clearly worth the activity and the information that the drones are sending chris bollwage mayor of elizabeth nj told msnbcperhaps the operators of those drones have a working relationship with new york mayor bill de blasio who revealed his true colors when he told new yorkers to squeal on family and friends who break the socialdistancing ordersending that photo in is going to help make sure that people are kept apart and thats going to stop the disease from spreading and thats going to save lives he saidas proof that humanity has not gone completely to the dogs the special hotline to accept the photographs was flooded with derogatory pictures and hitler memes most of which are too indecent to show hereeven political protests are no longer happening in a civilized manner at least in israel where a demonstration against benjamin netanyahu saw participants respecting the 2metersapart rule which made the protest resemble some sort of openair modern art exhibit as opposed to a challenge to the powersthatbe by necessity a protest demands that the participants act as a single united force a throng if you willwant to say a pray in a house of worship asking the almighty to see you through this miserable storm which appears to have only just begun well that too will prove problematic since in many us states worshipers are no longer permitted to congregate under a single roof which is strange because liquor stores gun shops and abortion clinics not to mention all of the major grocery stores are doing a thriving business despite the inherent riskswhat is happening is obvious leaders either by design or otherwise are taking advantage of the current emergency to ram through draconian measures in the name of protecting the people in fact nothing could be further from the truth and with the western world already softened up with years of political correctness virtue signaling and the tyrannical nanny state virile toxic masculinity has gone missing in action when it is needed the most the coronavirus is not the disease that is killing western civilization socialdistancing and lockdown measures should have been enforced many decades ago when the cultural marxists from the frankfurt school first set foot ashore that was the moment western society set upon itself by a number of divisive and destructive movements began to crumble to the point when the next flu season may very well consign it to the ash heap of history", + "https://www.strategic-culture.org/", + "FAKE", + 0.0363234703440889, + 1074 + ], + [ + "COVID-19 is a scripted narrative to justify closed borders or force residents to remain home", + "covid19 virus movie is a scripted narrative designed to justify closed borders and inspire citizens to stay home while upwards of 500000 arrests 158000 sealed indictments opened will take place in usa greater numbers world wide for horrendous crimes to humanity corruptions related to human sex child trafficking a depopulation agenda by globalists illegal organ harvesting opioid fentanyl epidemic linked to china britain and other nations implementing espionage plans for the usa this is a military operation that is being modeled after sun tzu warfare the military trump administration is pivoting against deep state tactics as a strategy that will have the lowest negative impact to innocent citizens whole freeing the world from decades of brainwashing to mask evil operations that operate a 150 billion year child trafficking network by deep state over 800000 children in usa an 8000000 globally go missing annually trump white hat military alliance is ending this evil covered up by fake news the storm is here the great awakening", + "http://archive.is/", + "FAKE", + -0.10119047619047619, + 164 + ], + [ + "Vitamins C and D are now finally being adopted in the conventional treatment of SARS-CoV-2; Vitamin C at extremely high doses acts as an antiviral drug, actually killing viruses; vitamin D helps the body fight SARS-CoV-2 infection and can cut infection risk", + "vitamins c and d are now finally being adopted in the conventional treatment of novel coronavirus sarscov2 vitamin c at extremely high doses acts as an antiviral drug actually killing viruses although vitamin d does not appear to have a direct effect on the virus itself it does strengthen immune function thus allowing the host body to combat the virus more effectively", + "https://www.mercola.com/", + "FAKE", + 0.17387755102040817, + 62 + ], + [ + "COVID-19 Found in Toilet Paper", + "masks were the first to go then hand sanitizersnow novel coronavirus panic buyers are snatching up toilet paperretailers in the us and canada have started limiting the number of toilet paper packs customers can buy in one trip some supermarkets in the uk are sold out grocery stores in australia have hired security guards to patrol customersbut now the coronavirus has been found in the one place people never expected toilet paperan estimated 6000 more people have contracted the virus in the united states tied to a contamination of toilet paper testing buy washington state health department confirmed the covid19 virus particles were present in the samples they took from five separate packages of toilet paper from big box stores the cdc said this strain of deadly virus breeds rapidly in tissue fibersthe cdc is urging people to using a wet washcloth when cleaning themselves after using the bathroom instead of toilet paperuse a washcloth to clean yourself after you go to the bathroom its not a big deal thats what we did back in the old days said peter lendl who headed the investigation of the contaminated toilet paper just know which one is yoursstate health departments are asking you to set your toilet paper outside so hazmat workers can come by and dispose of the contaminated itemswe all need to work together said peter we need each other as a community as a societystores have been ordered to halt all sales of toilet paper until further notice toilet paper factories are being shut down while sanitation measures are being taken", + "http://now8news.com/", + "FAKE", + 0.028952991452991447, + 262 + ], + [ + "Coronavirus is a bioweapon leaked from a Wuhan lab", + "coronavirus scientists say its a bio weapon leaked from wuhan lab ", + "YouTube", + "FAKE", + 0, + 11 + ], + [ + null, + "heads of our entire hhs department of health and human services colluded and destroyed my reputation and the department of justice and the federal bureau of investigation sat on it and kept that case under sealfauci directed the coverup and in fact everybody else was paid off and paid off big time millions of dollars in funding from tony fauci and the national institute of allergy and infectious diseases these investigators that committed the fraud continue to this day to be paid big time by the niaidit started really when i was 25 years old and i was part of the team that isolated hiv from the saliva and blood of the patients from france where virologist luc montagnier had originally isolated the virus fauci holds up the publication of the paper for several months while robert gallo writes his own paper and takes all the credit and of course patents are involved this delay of the confirmation you know literally led to spreading the virus around you know killing millionsand theyll kill millions as they already have with their vaccines there is no vaccine currently on the schedule for any rna virus that works oh absolutely not in fact vaccine is immune therapy just like interferon alpha is immune therapy so im not antivaccine my job is to develop immune therapies thats what vaccines arei wouldnt use the word created but you cant say naturally occurring if it was by way of the laboratory so its very clear this virus was manipulated this family of viruses was manipulated and studied in a laboratory where the animals were taken into the laboratory and this is what was released whether deliberate or not that cannot be naturally occurring somebody didnt go to a market get a bat the virus didnt jump directly to humans thats not how it works thats accelerated viral evolution if it was a natural occurrence it would take up to 800 years to occur oh yeah im sure it occurred between the north carolina laboratories fort detrick the us army medical research institute of infectious diseases and the wuhan laboratoryitaly has a very old population theyre very sick with inflammatory disorders they got at the beginning of 2019 an untested new form of influenza vaccine that had four different strains of influenza including the highly pathogenic h1n1 that vaccine was grown in a cell line a dog cell line dogs have lots of coronaviruseswearing the mask literally activates your own virus youre getting sick from your own reactivated coronavirus expressions and if it happens to be sarscov2 then youve got a big problemwhy would you close the beach youve got sequences in the soil in the sand youve got healing microbes in the ocean in the salt water thats insanity", + "YouTube", + "FAKE", + 0.08105579605579605, + 463 + ], + [ + "CORONAVIRUS IS A US TOOL TO DISRUPT CHINESE PRODUCTION", + "coronavirus uyghur and huawei are a triangle of tools for the united states that work in two directions disrupting production at home in china and disrupting consumption at the other end markets some people may think that the claim of coronavirus being a laboratoryproduced virus is an exaggeration of a conspiracy theory and we believed when we first watched old scifi films including resident evil that this cannot ever become a realitythe crisis of the united states of america is not very different from the british crisis in the opium wars but the tools of direct wars are no longer available today and there is a need for much opium in the near future starting from bacterial wars and not ending with technological and media wars", + "https://katehon.com/", + "FAKE", + 0.002083333333333333, + 126 + ], + [ + null, + "just in case you are wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gonna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 37 + ], + [ + " Roger Stone: Bill Gates may have created coronavirus to microchip people", + "roger stone suggested monday that bill gates may have had a hand in the creation of coronavirus so that he could plant microchips in peoples heads to know who has and has not been tested for covid19whether bill gates played some role in the creation and spread of this virus is open for vigorous debate i have conservative friends who say its ridiculous and others say absolutely stone told joe piscopo host of the radio program the answer on 970 am who had asked about conspiracy theories regarding the pandemiche and other globalists are using it for mandatory vaccinations and microchipping people so we know if theyve been tested over my dead body mandatory vaccinations no way jose stone told a fawning piscopo who referred to president trumps longtime adviser as a legendgates has long been an outspoken advocate for preparing for a global health crisis like coronavirus", + "https://nypost.com/", + "FAKE", + -0.07261904761904761, + 148 + ], + [ + "The coronavirus linked to a Winnipeg laboratory", + "a cbc report would have linked the withdrawal of two chinese researchers from a canadian highsecurity laboratory in winnipeg to the current coronavirus in china", + "twitter", + "FAKE", + 0, + 25 + ], + [ + "Due to the recent outbreak for the Coronavirus (COVID-19) the World Health Organization is giving away vaccine kits. Just pay $4.95 for shipping", + "you just need to add water and the drugs and vaccines are ready to be administered there are two parts to the kit one holds pellets containing the chemical machinery that synthesises the end product and the other holds pellets containing instructions that telll the drug which compound to create mix two parts together in a chosen combination add water and the treatment is ready", + "coronavirusmedicalkit.com", + "FAKE", + 0.09166666666666667, + 65 + ], + [ + "Origin of COVID-19: Ecological, Historical, and Geopolitical", + "the novel coronavirus pandemic covid19 that is threatening modern civilization today is a disaster that was bound to happen mainly because of human folly this is an inevitable consequence of the dominance of a neoliberal national security state doctrine with a militaryindustrial complex pushing for perpetual war and corporate globalizationthis has devastated entire ecosystems distorted medical science and disempowered communitiesthis power elite doctrine is the root cause of the increasingly serious cases of emerging infectious diseases over the past 40 years or socoinciding with the destruction of our ecosphere gross disrespect of the intimate relationship between humans and the environment and the reductionist thinking about infectious diseases and healthdespite the fact that scientific evidence clearly shows that viruses and other microbes are largely friends and have been playing a significant role in the evolution and survival of all life forms in our entire ecosystem the power elite institutions and their agents have declared these microbes as mortal enemies that deserve to be eliminated microbes and their elements are in fact essential components of the human biological entity and perform critical physiologic functions that maintain homeostasis and a robust immune system rather than cultivating harmony and coexistence most humans have declared total war against themthis belligerent attitude is also a result of a largely mistaken understanding of infectious disease and illness propagated by a reductionist medical paradigm which fails to recognize that illness is in fact a disruption of the harmony between humans and their physical chemical biological spiritual and social environment\nthus the distorted corporatecontrolled medical science have pushed for mass vaccinations with the aim of total elimination despite scientific evidence that mass vaccinations do more harm than goodfurthermore the militaryindustrial complex have been for several decades converting and harnessing microbes as weapons of mass destruction of people perceived to be their enemiesit is logical to consider that a secret bioweapons program is a major proximal causative driving factor that created this coronavirus pandemic there were in fact numerous clear warning signals that this was bound to happen but these were ignored and nonchalantly dismissedas early as 1970 a world health organization who group of consultants in their comprehensive report on chemical and biological weapons noted that a virulent mutant microbe could spread rapidly to produce an uncontrollable epidemic on a large scale in addition they warned that there was the everpresent risk of an accidental escape indeed this prediction was prescient a list of biolab accidents compiled by the stop the biolab movement in boston usa showed more than 50 biolab accidents from 19852007 occurring mostly in the us including 7 accidents involving the united states army medical research institute of infectious diseases usamriiddespite the clear dangers to public health the us federal government has dramatically increased us research and development activity and infrastructure focused on biological weapons agentsmore than two dozen large new highcontainment research facilities were funded specifically to work with bioweapons agents according to the center for arms control and nonproliferationwhen more dangerous research is performed by more people in more locations there are simply more opportunities for significant biosafety or biosecurity breaches to occur worse if the accident involves an agent such as the 1918 influenza virus which was reconstructed at the us center for disease control cdc in 2005 it could start a global pandemic it addedusamriid itself recorded a total of 128 incidents occurring from 2016 to 2018 with seven incidents of potential biological exposures some risk of exposure to infectious agents andor toxins may have occurred and has resulted in precautionary medical surveillance of the personnel involvedon july 2019 the cdc issued a cease and desist order to usamriid after problems were found in its biosafety level 3 and 4 laboratories 12 the usamriid located at fort detrick georgia is known to be the highly secretive epicenter of us bioweapons research with a history of illicit human experiments and research on the production of geneticallymodified organisms for deployment as weapons of warus military secret biolabs have in fact been most advanced in doing research on pathogenic microorganisms including sars and other coronaviruses in 2018 the pentagons defense advanced research project agency darpa began spending millions on such researchsome of those pentagonfunded studies were conducted at known us military bioweapons laboratories bordering china and has resulted in the discovery of dozens of new coronavirus strains as recently as last april 2019at the same time darpa also embarked on a secretive research to disperse infectious genetically modified viruses that have been engineered to edit crop chromosomes directly in fields ostensibly the research program aims to allow farmers to adapt to changing climate conditions\nhowever independent scientists warned that darpas program could create uncontrollable and potentially dangerous genetically engineered virusesusing insects as the vehicle for a horizontal environmental genetic alteration agents hegaas or in other words using insects to disperse themin a new class of biological warfaregenetic engineering technology facilitates horizontal transfer and unnatural recombination of genetic material across species barriersprecisely the conditions favoring the creation of new viruses and bacteria that cause diseasesmany scientists have warned that increased commercial exploitation of genetic engineering in both agriculture and medicine have actually unleashed the potential for creating viruses and bacteria more virulent than natures worstdespite ostensibly justifiable objectives and avowed compliance to biosafety protocols unexpected results do happen with potentially disastrous consequences\nthis was aptly demonstrated in 2001 when australian scientists trying to make a mouse contraceptive vaccine for pest control instead accidentally created a virus that kills every one of its victims by wiping out part of their immune systemscientists funded by the us government however did a similar thing intentionally in 2003 supposedly to study how to counter a killer virusdr mark buller a virologist at the national institute of allergy and infectious diseases niaid and working for the us biodefense program under the usamriid at fort detrick has created through genetic engineering technology a mousepox strain that kills 100 per cent of vaccinated mice even when they were also treated with the antiviral drugsnotably in 2015 dr ralph baric and his team at the university of north carolina who also created a virus using genetic engineering with the surface protein of the shc014 coronavirus found in horseshoe bats in china and the backbone of one that causes humanlike severe acute respiratory syndrome sars in mice\nthe study demonstrated the ability of the shc014 surface protein in a genetically engineered coronavirus to bind and infect human cells validating concerns that this virusor other coronaviruses found in bat speciesmay be capable of making the leap to people without first evolving in an intermediate hostinterestingly scientists from the key laboratory of special pathogens and biosafety wuhan institute of virology in china were collaborators in the study\nin the following year dr baric and his team this time without the scientists from wuhan china published another study entitled sarslike wiv1cov poised for human emergence the results indicate a significant threat posed by wiv1covboth fulllength and chimeric wiv1cov readily replicated efficiently in human airway cultures and in vivo suggesting capability of direct transmission to humans in addition while monoclonal antibody treatments prove effective the sarsbased vaccine approach failed to confer protectiontogether the study indicates an ongoing threat posed by wiv1related viruses and the need for continued study and surveillance 29 it should be noted that as early as 2012dr baric had received a 24 m grant from the niaid to identify key immune regulatory genes and networks that control disease severity better understand how immune compartments talk to one another and determine disease outcomes after infectionseveral us agenciesparticularly the centers for disease control and prevention cdc the national institutes of health nih and its subsidiary the niaid and usamriid have been collaborating on research projects ostensibly to develop strategies to fight rapidly evolving pathogens that pose a threat to public health\nhowever other scientists have expressed their worry that human error could lead to the accidental release of a virus that has been enhanced in the lab so that it is more deadly or more contagious than it already isin fact in 2015 the us government banned such gain of function research involving the flu virus viruses causing middle east respiratory syndrome mers and sars following a research study that genetically modified the h5n1 influenza virus so that it could spread between ferrets a model for studying flu in people raising fears that the virus could jump to humans and after us government laboratories working with pathogens had several accidents the ban was lifted in 2019given the foregoing context it is not surprising that a new coronavirus sarscov2 which causes the disease covid19 has emerged and is now causing a serious pandemic wreaking havoc all over the worldthe official narrative of the us center for disease control who most governments and the mainstream media is that sarscov2 has its origin in bats and is linked to a large seafood and live animal market in wuhan china the epicenter of the pandemic and where it was reportedly first discoveredeven the chinese center for disease control initially announced that sarscov2 started at the seafood market in wuhanlater though a spokesman for chinas ministry of foreign affairs claimed that covid19 may have been brought into china by us soldiers who were in wuhan 14 days before the first case of sarscov2 infection was discovered and that the origin might be the united stateshe cited reports that japanese and taiwanese epidemiologists and pharmacologists have determined that the new coronavirus could have originated in the us since that country is the only one known to have all five types from which all others must have descendedwuhan in china has only one of those types rendering it in analogy as a kind of branch which cannot exist by itself but must have grown from a treepart of the proof of this assertion is that the genome varieties of the virus in iran and italy have been sequenced and declared to have no part of the variety that infected china and must by definition have originated elsewhereit would seem the only possibility for origination would be the us because only that country has the tree trunk of all the varietiesit may therefore be true that the original source of the covid19 virus was the us military biowarfare lab at fort detrick this would not be a surprise given that the cdc completely shut down fort detrickthis assertion seems to have been corroborated by the testimony of the cdc director in congress admitting that some deaths in the us which later proved to be positive for sarscov2 virus have been miscategorised as the flu40 according to a taiwanese virologist the virus outbreak may have began earlier than assumed saying we must look to september of 2019 or months before sarscov2 was discoveredthe assertion that the sarscov2 may have originated from a lab is being disputed by the director of the nih and some scientists working for the niaid who claim that sarscov2 emerged naturally from animals in a statement published in the lancet a group of scientists said westrongly condemn conspiracy theories suggesting that covid19 does not have a natural origin scientists from multiple countries have published and analysed genomes of the causative agent sarscov2 and they overwhelmingly conclude that this coronavirus originated in wildlife however one could easily discover that the studies from which their conclusion was based can be traced back to studies done under the us biodefense program largely through the aforementioned niaidthe chinese study done at the wuhan institute of virology cited by the group to support their claims was led by zhengli shi who actually collaborated earlier in 2015 with dr baric at the university of north carolina in creating using geneticengineering technology an extremely lethal sarslike coronavirus that demonstrated the ability to infect human cells as what happens in many controversial issues scientists from different camps often have conflicting viewpoints on the same observable phenomenonone must dig deeper into the controversy taking into account other relevant information including the integrity and credibility of sources of information and potential technical and other biases in order to come up with a rational judgment of what might be closer to the truththe emergence of sarscov2 virus must also be viewed in a broad context taking into account not only the technicalscientific view but more importantly the ecological historical and sociogeopolitical factors involvedat this point the preponderance of evidence seems to favor the assertion that sarscov2 emerged from biowarfare research activities most likely a result of genetic engineering manipulationthere is a very complex set of influences that drives the infinitesimal probabilities of outcomes from mutations recombinations and other genetic and epigenetic dynamic phenomena that are unavoidably and unpredictably generated during viral replication how sarscov2 emerged can be looked at from various perspectivesfrom a limited biological perspective it seems reasonable to infer from genome analysis that it may have emerged due to natural processes natural processes however are usually evolutionary and does not occur in a very short period of timethe observed characteristics of sarscov2 at the genomic and clinical expression levels are not in accordance with the norms of nature it is more in accordance with reality to expect that intervening factors have operated at different levels that trumped the expected genomic evolutionary pathwaythere are ecological geographical social technological ex genetic engineering individual human behaviour ex unscrupulous scientists and the power elite and other factors that come into playit is quite obvious that human interference have changed natural ecosystems have created artificial genomic element and microorganisms and have facilitated unnatural recombinations and mutationsfrom this wholistic perspective one can conclude that it is highly unlikely that sarscov2 emerged naturally as a result of simply increased humananimal interactionwhile it appears from genomic analysis of the sarscov2 virus points to an evolutionary origin from bat coronaviruses the preponderance of evidence from a broad context points to anthropogenic origin a result of human activity with the use of genetic engineering technology as the most likely proximal cause not necessarily precluding prior origin from bats or other animalswhether the virus emerged due to accidental release from ostensibly wellmeaning but dangerous researches on highly pathogenic organisms or due to a secret biowarfare act is not clearfrom the available information so far it is more likely that there was probably an accidental release of the virus from a laboratory engaged in biodefense biowarfare research it is also not clear where exactly this laboratory might bethe experience with emerging infectious diseases like sars mers ebola and others should have given humanity sufficient lessons to adequately prevent and manage covid19perhaps official explanations of the origin of these emerging infectious diseases and existing medical guidelines and modalities on how to manage them are fundamentally flawedif the existing paradigm is mistaken then the current practices in the management of the pandemic are also flawed and perhaps more importantly preventive measures to forestall future pandemics will also be flawedall theories including the socalled conspiracy theories that might offer rational explanations must be examined and investigated seriously without prejudgementthe precautionary principle should be the norm in the assessment of risks a truly independent international investigative group should be organized to do this", + "https://web.archive.org/", + "FAKE", + 0.06342150450229053, + 2525 + ], + [ + "Early Large Dose Intravenous Vitamin C is the Treatment of Choice for 2019-nCov Pneumonia", + "the 2019ncov coronavirus epidemic originated in wuhan china and is now spreading to many other continents and countries causing a public fear worst of all there is no vaccine or specific antiviral drugs for 2019ncov available this adds to the public fear and gloomy outlook a quick rapidly deployable and accessible effective and also safe treatment is urgently needed to not only save those patients to curtail the spread of the epidemic but also very important in the psychological assurance to people worldwide and to the chinese in particular acute organ failure especially pulmonary failure acute respiratory distress syndrome ards is the key mechanism for 2019ncovs fatality significantly increased oxidative stress due to the rapid release of free radicals and cytokines etc is the hallmark of ards which leads to cellular injury organ failure and death early use of large dose antioxidants especially vitamin c vc therefore plays a key role in the management of these patients we call upon all those in the leadership and those providing direct assistance patients to bravely and rapidly apply large dose intravenous vitamin c ivc to help those patients and to stop this epidemic2019ncov is a rapidly developing epidemic with a high morbidity and mortalitywang et al reports 26 icu admission rate and a 43 mortality rate in their 138 confirmed cases chen et all report that out of 99 confirmed 2019ncov patients 17 17 patients developed ards and among them 11 11 patients worsened in a short period of time and died of multiple organ failureincreased oxidative stress an underlying cytokine storm leads to ards which is the key pathology of high mortality of these pandemic viral infections cytokine storminduced ards is the key pathology leading to death of these patients intravenous vitamin c effectively counters oxidative stresscytokine storm\ncoronaviruses and influenza are among the pandemic viruses that can cause lethal lung injuries and death from ards 3 viral infections cause a cytokine storm that can activate lung capillary endothelial cells leading to neutrophil infiltration and increased oxidative stress reactive oxygen and nitrogen species that further damages lung barrier function ards which is characterized by severe hypoxemia is usually accompanied by uncontrolled inflammation oxidative injury and the damage to the alveolarcapillary barrier the increased oxidative stress is a major insult in pulmonary injury such as acute lung injury ali and acute respiratory distress syndrome ards two clinical manifestations of acute respiratory failure with substantially high morbidity and mortality\nin a report of 29 patients confirmed of 2019ncov pneumonia patients 27 93 showed increased hscrp a marker of inflammation and oxidative stress transcription factor nuclear factor erythroid 2related factor 2 nrf2 is a major regulator of antioxidant response element are driven cytoprotective protein expression the activation of nrf2 signaling plays an essential role in preventing cells and tissues from injury induced by oxidative stress vitamin c is an essential element of the antioxidant system in cellular response part of vitamin cs biological effects in critical care management are well reviewed in a recent article by nabzdyk and bittner from mass gen hospital of harvard medical school on worlds journal of critical care medicineantioxidants especially large dose iv vitamin c ivc in the management of ards\nits clear that increased oxidative stress plays a major role in the pathogenesis of ards and death cytokine storm is observed in both viral and bacterial infections 3 cytokine storm leads to increased oxidative stress ards and death seems to be a common and nonspecific pathway this is important in clinical management since the prevention and management targeting increased oxidative stress with large dose of antioxidants seems a logical step and can be applied to these deadly pandemics without the lengthy waiting for pathogenspecific vaccines and drugs as is the case of the current 2019ncov epidemicas a matter of fact large dose intravenous vitamin c ivc has been used clinically successfully in viral ards and also in influenza fowler et al described a 26yearold woman developed viral ards rhinovirus and enterovirusd68 she was admitted to icu after failure to routine standard management she was placed on ecmo on day 3 high dose ivc 200mgkg body24 hour divided in 4 doses one every 6 hours was also started on ecmo day 1 her lungs showed significant improvement on day 2 of high dose ivc infusion on xray imaging she continued to improve on ecmo and ivc and ecmo was discontinued on ecmo day 7 and the patient recovered and was discharged from the hospital on hospital day 12 without the need of supplemental oxygen one month later xray of her lungs showed complete recovery gonzalez et al including one of the authors thomas levy reported recently a severe case of influenza successfully treated with high dose ivc 25yearold mg developed flulike symptoms which was rapidly deteriorating to the degree that about 2 weeks later the patient barely had the energy to use the toilet he was placed on high dose ivc 50000 mg of vitamin c in 1000 ml ringers solution infused over 90 minutes the patient immediately reported significant improvement the next day on day 4 of ivc infusion he reported to feel normal he continued oral vc 2000 mg twice daily another story has been widely circulating on the social media that large dose ivc reportedly was used in 2009 to save a new zealand farmer alan smith primal panacea one of us thomas levy was consulted upon in this case hemila et al reported that vitamin c shortens icu stay in their 2019 metaanalysis of 18 clinical studies with a total of 2004 icu patients on the journal nutrients 13 in this report 17000 mgday ivc shortened the icu stay by 44 marik et al reported their use of ivc in 47 sepsis icu cases they found a significant reduction in mortality rate in the ivc group of patientsdietary antioxidants vitamin c and sulforaphane were shown to reduce oxidativestressinduced acute inflammatory lung injury in patients receiving mechanical ventilation other antioxidants curcumin have also been shown to have promising antiinflammatory potential in pneumoniahigh dose ivc has been clinically used for several decades and a recent nih expert panel document states clearly that high dose ivc 15 gkd body weight is safe and without major side effectssummary2019ncov pneumonia is a rapidly developing disease with high morbidity and mortality rate the key pathogenesis is the acute lung injury causing ards and death coronaviruses influenza viruses and many other pandemic viral infections are usually associated with an increase oxidative stress leasing to oxidative cellular damage resulting in multiorgan failure antioxidants administration therefore has a central role in the management of these conditions in addition to the standard conventional supportive therapies preliminary clinical studies and case reports show that early administration of high dose ivc can improve clinical conditions of patients in icu ards and flu it needs to be pointed that pandemics like 2019ncov will happen in the future specific vaccines and antiviral drugs rd take long time to develop and are not available for the current ncov epidemic and wont be ready when the next pandemic strikes ivc and other antioxidants are universal agents for ards that can be rapidly applied clinically given that high dose ivc is safe can be effective we call on the involved leadership and healthcare professionals to look into high dose ivc without further delay more clinical studies of the ivc and oral vc such as liposomalencapsulated vc are needed to develop standard protocols for the current use and future uses are urgently needed we hope when the next pandemic strikes we wont be so helpless and well be ready", + "http://orthomolecular.org/", + "FAKE", + 0.12647876945749284, + 1266 + ], + [ + "Anthony Fauci wants coronavirus vaccines to be forced on all Americans", + "anthony fauci hes a bit on the short side seemingly always has this creepy joker grin on his face and wants you and your family to be forcibly vaccinated against the wuhan coronavirus covid19 before youll ever again be allowed to leave your house for anything other than cattle pen grocery shopping\none of the nations most hated deep state tool bags at this point fauci exposes himself as a wolf in sheeps clothing just a little bit more with each passing day and now that we know the guy works for bill gates and big pharma the cat is pretty much out of the bag as to his true intentions but are enough people paying attentionwhile feigning expertise in the area of virology fauci continues to use his platform to push a vaccine on the public that doesnt even yet exist fauci is also vehemently opposed to all other potential treatment options including inexpensive remedies that already exist and are being used elsewhere in the world with notable successfauci would seem to have a vested interest in seeing a wuhan coronavirus covid19 vaccine not only come to fruition but be the only medical treatment option available to americans even though success against the pandemic is already being seen with hydroxychloroquine for instance a malaria drug that costs just a few cents per dosefauci is so determined to get a wuhan coronavirus covid19 vaccine launched and spread across the country as quickly as possible that hes actually now threatening to never let anyone out of their houses ever again unless they agree to get jabbed in accordance with his desireswhen we get back to normal we will go back to the point where we can function as a society fauci recently statedbut if you want to get back to precoronavirus that might not ever happen in the sense that the threat is there but i believe that with the therapies that will be coming online and the fact that i feel confident that over a period of time we will get a good vaccine that we will never have to get back to where we are right nowbe sure to listen below to the health ranger report as mike adams the health ranger talks about how we need a national zinc campaign to raise awareness about how this natural mineral can help to stop the spread of the wuhan coronavirus covid19 and end the lockdownsfauci is on the leadership council of the gates foundations decade of vaccines global vaccine action plan as it turns out fauci quietly sits on the leadership council of the bill melinda gates foundations global vaccine action plan which is currently reaching the finality of its socalled decade of vaccines initiative that began in 2010 this fully explains why hes gone allin for a future wuhan coronavirus covid19 vaccine and why hes signaled that americans will continue to be held hostage until they agree to get itlike gates fauci stands to make millions from the release of a wuhan coronavirus covid19 vaccine which seems to have been the agenda all along he probably wasnt expecting president trump to ever make any mention of hydroxychloroquine nor did he anticipate anything other than full compliance from the american people whove been scared to death by this social engineering experiment also known as 911 20but faucis cover has been blown and everyone whos paying attention can now see him for the rat he is the guy only cares about forcing a vaccine on you and couldnt care less whether you live or die in the process just like his buddy bill gates", + "https://www.naturalnews.com/", + "FAKE", + 0.08319701132201131, + 603 + ], + [ + "FULL TRANSCRIPT OF “SMOKING GUN” BOMBSHELL INTERVIEW: PROF. FRANCES BOYLE EXPOSES THE BIOWEAPONS ORIGINS OF THE COVID-19 CORONAVIRUS", + "full transcript of smoking gun bombshell interview prof frances boyle exposes the bioweapons origins of the covid19 coronavirus", + "https://www.infowars.com/", + "FAKE", + 0.35, + 18 + ], + [ + "WUHAN P4 LABORATORY – A PART OF PANDORA’S BOX", + "this is an adapted version of dtinlac expose about the controversial wuhan p4 laboratory and its relationship to the ccp and the outbreak of covid19 or previously called ncov19the national biosafety laboratory wuhan nbl of the chinese academy of sciences cas referred to as wuhan p4 lab or p4 lab is located at zhengdian science park of the wuhan institute of virology jiangxia district wuhan city hubei province this p4 lab a collaboration between chinese academy of sciences and wuhan municipal government was completed on january 31 2015 and officially began its operation on january 5 2018 it is chinas first the biosafety level 4 laboratory bsl4 lab and the third one in asia dtl2 here the content will be divided into the following sectionsthe history of wuhan institute of virology france china relationship and the p4 lab france china foundation the p4 lab organization chart of wuhans p4 lab literature highlights key persons intriguing facts summary epilogue evidence of connections to jiang family pandoras box history of the wuhan institute of virology wiv chinese academy of sciences dtl511 in1956 the wuhan institute of microbiology chinese academy of sciences was establishedin november 1961 the wuhan institute of microbiology chinese academy of sciences was renamed the central south institute of microbiology\nin october 1962 the central south institute of microbiology was renamed to the wuhan institute of microbiologyin 1966 the local branch of the chinese academy of sciences was relegated to the leadership of hubei provincein 1970 it was renamed to the hubei institute of microbiologyin 1978 before the science and technology conference it returned to the chinese academy of sciences and was renamed to the wuhan institute of virology chinese academy of sciencesin 2002 it entered the sequence of the national science and technology innovation projects of the chinese academy of sciences\nin 2003 the one three five one goal with 3 fiveyear plan was carried out\nin november 2004 the establishment of the state key laboratory of virology was approved by the ministry of science and technology the lab is under the jurisdiction of the ministry of education and supervised by both wuhan university and wuhan institute of virology chinese academy of sciences\nin january 2012 the china virus resource center of the institute was approved by china quality certification center and obtained iso9001 2008 quality management system certificate iso14001 2004 environmental management system certificate and gb t280012001 occupational health and safety management system certificate in june the animal experiment center of zhengdian science park of the wuhan institute of virology chinese academy of sciences began operationin 2012 public technical service center of the wuhan institute of virologys was established and consisted of an analysis and testing center a bsl3 laboratory an experimental animal center a radioisotope laboratory and a network information centerin 2014 the first action plan of the big science center was launchedin january 2015 chinas first laboratory with the highest level of biosafety protection the wuhan national biosafety laboratory namely wuhan bsl4 laboratory of the chinese academy of sciences was completed in december it was rated as a civilized unit in hubei provincein july 2016 the wuhan institute of virology held a groundbreaking ceremony for a comprehensive experimental research base of virology and biosafetyin january 2018 wuhan national biosafety level 4 laboratory bsl4 laboratory passed the national standardusing p4 laboratory as the centre and under the cooperative relationship between france and china the framework agreement proposed to synchronize the four wheels scientific research cooperation personnel training laws regulations and standards and laboratory construction making laboratory construction affected by changes in sinofrench cooperation relationson june 28 2004 chen zhu then the vice president of the chinese academy of sciences clearly instructed the wiv based on the principles of friendly cooperation between china and france the collaborative process should differentiate internal china from external france and use chinacentered and practical approaches dtl97in 1997 biomérieux set up a representative office in beijing and in 2004 its shanghai branch was established in asiaon january 28 2004 during president hu jintaos visit to france he witnessed the signing of the memorandum of understanding of chinafrance cooperation in preventing and fighting new infectious diseasesestablish a sinofrench emerging infectious diseases group composed of representatives of competent french government departments and expertssupport the development of the wiv of the chinese academy of sciences acquire equipment and technology and provide training and cooperate in the field of prevention and combat of emerging infectious diseasesconstruction of the p4 lab has started since 2004on october 9 2004 french president jacques chirac visited beijing to officially sign a cooperative agreement on the prevention and control of emerging infectious diseases between the two countrieson november 1 2007 french foreign minister kouchner visited china and made a statement on the p4 project\non november 26 2007 french president nicolas sarkozy visited china and signed a statement on a cooperative agreement on the prevention and control of emerging infectious diseases emphasizing to ensure that all necessary measures are taken as soon as possible to implement all projects including the wuhan p4 laboratoryin 2008 the french side delivered a laboratory drawing and in 2009 the chinese yuan design institute provided the chinese design drawing in the design process the key concepts of lyon lab design are referencedon may 10 2010 the chinafrance cooperation conference on emerging infectious diseases was held in beijing which further promoted the laboratory construction processon january 9 2012 the key equipment of the core laboratoryairtight doors and life support systems arrived at jiangxia zhengdian park the quality was checked and approvedon january 9 2012 the key equipment of the core laboratoryairtight doors and life supporting systemswas delivered to jiangxia zhengdian park and passed the quality checkon march 26 2014 xi jinping visited the french merrier centre for biological research and listened to the introduction of the development of the center xi pointed out p4 laboratory construction in wuhan is very important for chinese public health and a good symbol of the france china collaboration in public health on january 31 2015 wuhan p4 lab held a completion and unveiling ceremony which marked the completion of the laboratorys hardware construction and installation of major facilities and equipment according to the participating french engineers and technicians chinas p4 laboratory is more advanced than the one in lyon franceon january 31 2015 wuhan national biosafety laboratory wuhan p4 laboratory the national academy of sciences was completed to conduct research on avian influenza coronavirus and other virus epidemic prevention this laboratory is the sinofrench emerging infectious diseases cooperative project of the mérieux foundation president alain mérieux listed in the key person section is also chairman of the mérieux foundationone step combing you can get the initial true face of the hidden p4 laboratory just look at the big people involved\nyu zhengshengchairman of the chinese peoples political consultative conference from 2013 to 2018\nhu jintaopresident of the peoples republic of china from 2003 to 2013 and chairman of the central military commission from 2004 to 2012\njacques chirac former french president 19952007 kouchner bernard kouchner cofounded french doctorswithoutborder the minister of foreign and european affairs under president sarkozy\nnicolas sarkozy former french president 20072012 xi jinping president of the peoples republic of china and chairman of the central military commissionthe france china foundation dtl87 88 84 the france china foundation is a spy agency the state officials in charge of france china foundation are the chinese peoples institute of foreign affairs\nin october 2017 french president macron received members of the young leaders project at the elysee palace macronon january 09 2018 the ccp propaganda news media china daily the france china foundation and youth leadership project the current french president was also seenthe france china foundationdtl8588 membershua bin chairman wang jianalibabama yun jack ma tencentma huateng baiduzhang yaqin neteaseding lei sina corpwang yan celebrityhong huang dtl115mischazhang hanzis daughter architectwang shu the daughter of macau king of gamblers pansy catalina ho chiuking dtl8990 zhang xin president of soho china dtl107 china everbright ceo chen shuang dtl108109 loreal president jeanpaul angon economist jacques atari kering group vice chairman patricia barbizer dtl110 former french president fabius french director jeanjacques arnold and others graduated from the lyon medical school alain is the chairman of the french merrier foundation and president of french biomérieux group alain founded the biomérieux company a subsidiary of the mérieux institute with an annual sale of usd 19 billion it provides the diagnosis of infectious diseases such as aids and tuberculosisthats the one who helped the ccp to establish the p4 virus laboratory in wuhan everyone remember this person alain merieux figure legend before the establishment of diplomatic tie between the ccp and france alains fatherinlaw was keen to promote the car industry between 2 nations and received appraisal from the older generation of leaders like zhou enlai and deng xiaoping etc at 50th year celebration of chinafrance tie alain was the chairman of the organizershe collaborates with china on sars and avian influenza virus control the mérieux biology research center cooperates with china in the areas of tuberculosis prevention infection control and prevention and control of emerging infectious diseaseswith his connections both nations worked collaboratively to establish a production and r d base in shanghai and a p4 highlevel biosafety laboratory in wuhanthe p4 lab organization chart of wuhans p4 lab it is a virus making aircraft carrier wuhan institute of virology chinese academy of sciences staffing dtl34 according to the official website of the institute in december 2016 the institute had a total of 266 employees including 189 scientific research positions and 81 of them were doctorates and masters the chinese academy of sciences has selected 15 people for the 100 talents program 5 winners of the national outstanding youth fund and 3 candidates for the first and second levels of the national crosscentury multimillion projecthere is the list of 15 scientists selected for the hundred talents program of chinese academy of sciences guan wuxiang yang rongge li chaoyang xiao gengfu zhang bo chen xulin chen xinwen luo minhua zhou ningyi hu zhihong hu qinxue tang hong gong peng cui jie peng ke winners of national outstanding youth fund wang hualin hu zhihong tang hong wang yanyi chen xinwen director of wiv 200808201811 national candidates for crosscentury multimillion project wang yanyi please also see dtp137 amazing tang hongcheck out the resumes of these researchers at wivthey were all from the thousand talents programamong the 38 researchers there were 34 phd 2 msc 2 bsc 35 had connections with foreign countries including usa 15 france denmark japan australia singapore netherland and uk etc there were 6 from wageninen university netherland two were from school of information and 2 from hundred talents plan chinese academy of sciencesthe highlights of independence and innovation of wuhan p4 virus laboratory dtl100 the envelope structure of the laboratory the light steel keel structure fire extinguishing equipment the automatic control system the working unit control interface provided by siemens was designed by tong xiao deputy director of the project officeon june 16 2016 on behalf of the french president gu shan french ambassador to china awarded researcher yuan zhiming and deputy director shi zhengli director of the p4 laboratory of wuhan institute of virology chinese academy of sciences with knight medal and french palm education knight medal of honor respectivelyresources dt2the center for the biobank of pathogenic microbial species of the wuhan institute of virology of the chinese academy of sciences was founded in 1979 currently it has stored more than 1500 species of various viruses with 117000 isolates of various virus resources the banked resources include human medical viruses zoonotic viruses animal viruses insect viruses plant viruses phages environmental microorganisms virussensitive cell banks and virus genetic data banks etc play an important role in scientific and technological support role in the fields of national security life science research public health and virologyp4 laboratory virus resource database and species the data came from an internal 328page file of wuhan virus laboratory dt extracted some relevant pathogens and viral strains listed hereliterature highlights bats are natural reservoirs of sarslike coronaviruses published in science the reasons for the emergence of genetic weapontype new infectious diseases what are biological weapons biomolecular evolution and phylogeny contemporary genetic humanmade new species pathogens and pathogenic genes weapons and their deployment and no sars coronavirus in nature and among human and its reason etcsarscov and merscov are highly pathogenic and can cause severe acute respiratory syndrome in human with high mortality rates the virus is thought to originate in batsthe s proteins of different coronaviruses show different efficiencies in mediating pseudoviral infections and this includes the coronavirus genome which is the largest genome of rna viruses consists of a sense singlestranded rna about 30 kb in sizecoronaviruses covs infect a wide range of vertebrates including humans they can cause respiratory gastrointestinal hepatic and central nervous system diseases some covs have managed to across the species barrier such as severe acute respiratory syndrome sarscov and middle east respiratory syndrome merscov this special issue of virologica sinica is dedicated to the recent progress on coronaviruses and covers topics on viral epidemiology virus replication and the interactions between the coronaviruses and their hosts this updated information would provide new insights in the control of cov infections and in the development of effective antivirals the cover depicts the modes of transmission of coronavirus from animals to humans\n", + "https://gnews.org/", + "FAKE", + 0.05815685876623378, + 2230 + ], + [ + "PHENOMENA OF CORONAVIRUS CRISIS", + "as of midday on march 16th the number of total cases of coronavirus around the globe sits at 188298 out of them 80848 have recovered and 7499 have died italy is still leading globally with the most active cases currently at 23073 and a death toll of 2158on march 16th italy reported 349 new deaths from covid19\ncanada closed its borders to all foreign nationals except us citizens and prime minister justin trudeau urged people to stay at home to help stem the spread of the new coronaviruswe will be denying entry into canada to people who are not canadian citizens or permanent residents trudeau told reporters at a news conference outside his home where he is under selfquarantine after his wife tested positive for the virushe said americans were exempted from the border ban trudeau also said he will restrict international flights to four canadian airports from march 18th domestic flights will not be affectedrussia will ban the entry of foreign nationals and stateless people from march 18th to may 1st in response to the coronavirus outbreak the government said the ban will not apply to diplomatic representatives airplane crew members and some other categories of people it saidfrench president emmanuel macron has announced strict reductions in movement starting from midday on march 17th for at least 15 days saying we are at warin a televised address to the nation macron said people should stay at home and only go out for essential activities he said that anyone flouting the restrictions would be punishedfrance will deploy 100000 police to enforce a lockdown and fixed checkpoints will be set up across the countrystay at home interior minister christophe castaner said adding that fines of up to 135 euros would be handed out to those who do not respect the new restrictions which are centered on avoiding all but essential social contactentry into the european unions schengen zone will also be closed from march 17th the french president saidus president donald trump issued new guidelines to help fight the coronavirus including a recommendation that people avoid social gatherings of more than 10 people discretionary travel and going to bars restaurants and food courtsat a white house news briefing trump said the new guidelines from his coronavirus task force applied for 15 days and were meant to slow the spread of the virus\nin an answer to a question about the us economy the republican president said the country may be heading towards recession amid the pandemic which he called an invisible enemyireland expects its number of coronavirus cases to increase to around 15000 by the end of the month from 169 currently prime minister leo varadkar said predicting it would be dealing with the pandemic for many monthswe would expect that by the end of the month there would be maybe 15000 people who would have tested positive for covid19 most of those will not need treatment but a proportion will need to be hospitalised and we need to make sure that it doesnt happen at the same time vardkar told a news conferencechina appears to have flattened the curve and 20 out of 21 registered cases of coronavirus were people who came from abroad wuhan will require all overseas returnees to undergo quarantinelockdowns in most of the european countries have begun with spain expected to have a very sharp rise in infected in the next several daysmeanwhile in germany the contestants in big brother entered the house on february 6th and havent been told of the international pandemic and the lockdownsthe shows producers for the tv channel sat1 defended the decision not to update the housemates on the crisis going on in the outside world telling the german newspaper süddeutsche zeitung that the information blackout would only be lifted in certain circumstances such as a family members illness they also pointed to special hygiene measures taken to protect residents themselves from infection though did not explain what those measures entailedbut after uproar on social media sat1 changed its position and announced a live special episode due to air before the regular slot at 7pm on the evening of march 17th in which the housemates will be told of the growing crisis they will be given the opportunity to ask questions about the state of the nation as well as receive video messages from their relativesbig brother brazils cast are also completely unaware of coronavirus since they entered the house on january 21st producers have refused to update them on the outside worldbig brother canadas contestants are in a similar situation as they entered the house on march 4thone clip from canada shows the contestants discussing the sudden absence of a live audience for evictions from the house when the first member left just five days in the crowd was audible from within the house but by march 14th when the second was evicted the silence was noticeablewith every passing day the entire coronavirus crisis is looking more and more like some freaky tv series that involves most of the countries around the world while some political leaders call the ongoing developments a war against the invisible enemy the real numbers and developments on the ground clearly demonstrate that the threat is drastically exaggerated and intentionally fueled by media and governmentsthere are several phenomena caused by attempts of various forces and influence groups to exploit the coronavirus narrativefinancial circles and governments are using the coronavirus crisis in order to achieve own financial and political goals as well as to cover crissi developments in the global economy the saudi offensive on the oil market is another sign of the crisisthe outbreak is exploited by the washington establishment and its allies to increase pressure on the opponents of the usdominated global order china became the first target of the attack now similar developments could be observed in russia large russian cities and even government bodies like the foreign ministry are being targeted by waves of fake news and artificial hysteria antigovernment westernbacked forces operating inside russia will likely work to exploit the coronavirus narrative to destabilize the situation in the country\nthe virus outbreak became a useful pretext for a further regionalization of the world that breaks into seprated economic political clusters the myth about the european unity as well as the euroatlantic one is destroyed all states are fighting the crisis almost alone only socalled bad guys like china venezuela or cuba are offering their help to other statesgovernments are strengthening surveillance and security measures limiting freedoms of citizensglobal corporations are exploiting the crisis to shape their business processes and pushing forward the concept of distance working from home so they would be able to reduce costs and say goodbye to their already limited social obligationsexperts and analysts note that the increasing economic and social tensions are increasing chances of open military conflicts one of the possible hot points is the middle east where the usiranian conflict is on the risethere are no doubts that the crisis will end however the world will not be same", + "https://web.archive.org/", + "FAKE", + 0.05265002581516343, + 1174 + ], + [ + "Rudy Giuliani Drops a Bomb on NIAID Director Dr. Tony Fauci after discovering he gave $3.7 Million to Wuhan Laboratory", + "back in 2015 the nih under the direction of dr tony fauci gave a 37 million grant to the wuhan institute of virology the wuhan institute of virology is now the main suspect in leaking the coronavirus that has killed more than 50000 americans and thanks to dr fauci again destroyed the us economyas early as 2018 us state department officials warned about safety risks at the wuhan institute of virology lab on scientists conducting risky tests with the bat coronavirus us officials made several trips to the wuhan laboratorydespite the warnings the us national institute of health nih awarded a 37 million grant to the wuhan lab studying the bat virus this was after state department warned about the risky tests going on in the labthis is unbelievable\nthe deadly china coronavirus that started in china sometime in late 2019 has now circled the globe evidence suggests that the coronavirus didnt come naturally we still dont know whether the deadly virus was leaked intentionally or if it was an accident but we do know that the chinese did attempt to market a cure for the coronavirus to the world in january after the virus began to spreadaccording to the report from wuhan the coronavirus came from either the wuhan center for disease control and prevention or wuhan institute of virology in wuhan china these reports linking bats to the coronavirus started making the rounds back in january a research paper published in the wuhan centre for disease control and prevention determined the source of the coronavirus is a laboratory near the seafood market in wuhanon sunday rudy giuliani dropped a bomb on dr fauci rudy scolded the niaid director of granting 37 million to the wuhan lab that leaked the coronavirus and then rudy accused the nih of knowing more than they are leading onrudy giuliani questioned dr anthony faucis involvement in grants from the united states to a laboratory in wuhan china that has been tied to the coronavirus pandemicaccording to a report the us intelligence community has growing confidence that the current coronavirus strain may have accidentally escaped from the wuhan institute of virology rather than from a wildlife market as the chinese communist party first claimed during a sunday interview on the cats roundtable giuliani questioned why the us gave money to the labback in 2014 the obama administration prohibited the us from giving money to any laboratory including in the us that was fooling around with these viruses prohibited despite that dr fauci gave 37 million to the wuhan laboratory even after the state department issued reports about how unsafe that laboratory was and how suspicious they were in the way they were developing a virus that could be transmitted to humans he claimedhe added we never pulled that money something here is going on john i dont want to make any accusations but there was more knowledge about what was going on in china with our scientific people than they disclosed to us when this first came out just think of it if this laboratory turns out to be the place where the virus came from then we paid for it we paid for the damn virus thats killing us", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.06439393939393939, + 536 + ], + [ + "Don’t buy China’s story: The coronavirus may have leaked from a lab", + "at an emergency meeting in beijing held last friday chinese leader xi jinping spoke about the need to contain the coronavirus and set up a system to prevent similar epidemics in the futurea national system to control biosecurity risks must be put in place to protect the peoples health xi said because lab safety is a national security issuexi didnt actually admit that the coronavirus now devastating large swathes of china had escaped from one of the countrys bioresearch labs but the very next day evidence emerged suggesting that this is exactly what happened as the chinese ministry of science and technology released a new directive entitled instructions on strengthening biosecurity management in microbiology labs that handle advanced viruses like the novel coronavirus\nread that again it sure sounds like china has a problem keeping dangerous pathogens in test tubes where they belong doesnt it and just how many microbiology labs are there in china that handle advanced viruses like the novel coronavirusit turns out that in all of china there is only one and this one is located in the chinese city of wuhan that just happens to be    the epicenter of the epidemic\nthats right chinas only level 4 microbiology lab that is equipped to handle deadly coronaviruses called the national biosafety laboratory is part of the wuhan institute of virologywhats more the peoples liberation armys top expert in biological warfare a maj gen chen wei was dispatched to wuhan at the end of january to help with the effort to contain the outbreakaccording to the pla daily gen chen has been researching coronaviruses since the sars outbreak of 2003 as well as ebola and anthrax this would not be her first trip to the wuhan institute of virology either since it is one of only two bioweapons research labs in all of china\ndoes that suggest to you that the novel coronavirus now known as sarscov2 may have escaped from that very lab and that gen chens job is to try and put the genie back in the bottle as it were it does to meadd to this chinas history of similar incidents even the deadly sars virus has escaped twice from the beijing lab where it was and probably is being used in experiments both manmade epidemics were quickly contained but neither would have happened at all if proper safety precautions had been taken\nand then there is this littleknown fact some chinese researchers are in the habit of selling their laboratory animals to street vendors after they have finished experimenting on themyou heard me rightinstead of properly disposing of infected animals by cremation as the law requires they sell them on the side to make a little extra cash or in some cases a lot of extra cash one beijing researcher now in jail made a million dollars selling his monkeys and rats on the live animal market where they eventually wound up in someones stomachalso fueling suspicions about sarscov2s origins is the series of increasingly lame excuses offered by the chinese authorities as people began to sicken and diethey first blamed a seafood market not far from the institute of virology even though the first documented cases of covid19 the illness caused by sarscov2 involved people who had never set foot there then they pointed to snakes bats and even a cute little scaly anteater called a pangolin as the source of the virus\ni dont buy any of this it turns out that snakes dont carry coronaviruses and that bats arent sold at a seafood market neither are pangolins for that matter an endangered species valued for their scales as much as for their meatthe evidence points to sarscov2 research being carried out at the wuhan institute of virology the virus may have been carried out of the lab by an infected worker or crossed over into humans when they unknowingly dined on a lab animal whatever the vector beijing authorities are now clearly scrambling to correct the serious problems with the way their labs handle deadly pathogenschina has unleashed a plague on its own people its too early to say how many in china and other countries will ultimately die for the failures of their countrys staterun microbiology labs but the human cost will be highbut not to worry xi has assured us that he is controlling biosecurity risks to protect the peoples health pla bioweapons experts are in chargei doubt the chinese people will find that very reassuring neither should we", + "http://archive.md/", + "FAKE", + 0.06355661881977673, + 750 + ], + [ + "The Coronavirus Is Man Made According to Luc Montagnier the Man Who Discovered HIV", + "contrary to the narrative that is being pushed by the mainstream that the covid 19 virus was the result of a natural mutation and that it was transmitted to humans from bats via pangolins dr luc montagnier the man who discovered the hiv virus back in 1983 disagrees and is saying that the virus was man madeprofessor luc montagnier 2008 nobel prize winner for medicine claims that sarscov2 is a manipulated virus that was accidentally released from a laboratory in wuhan china chinese researchers are said to have used coronaviruses in their work to develop an aids vaccine hiv rna fragments are believed to have been found in the sarscov2 genomewe knew that the chinese version of how the coronavirus emerged was increasingly under attack but heres a thesis that tells a completely different story about the covid19 pandemic which is already responsible for more than 110000 deaths worldwide according to professor luc montagnier winner of the nobel prize for medicine in 2008 for discovering hiv as the cause of the aids epidemic together with françoise barrésinoussi the sarscov2 is a virus that was manipulated and accidentally released from a laboratory in wuhan china in the last quarter of 2019 according to professor montagnier this laboratoryknown for its work on coronaviruses tried to use one of these viruses as a vector for hiv in the search for an aids vaccinewith my colleague biomathematician jeanclaude perez we carefully analyzed the description of the genome of this rna virus explains luc montagnier interviewed by dr jeanfrançois lemoine for the daily podcast at pourquoi docteur adding that others have already explored this avenue indian researchers have already tried to publish the results of the analyses that showed that this coronavirus genome contained sequences of another virus the hiv virus aids virus but they were forced to withdraw their findings as the pressure from the mainstream was too greatto insert an hiv sequence into this genome requires molecular tools in a challenging question dr jeanfrançois lemoine inferred that the coronavirus under investigation may have come from a patient who is otherwise infected with hiv no says luc montagnier in order to insert an hiv sequence into this genome molecular tools are needed and that can only be done in a laboratoryaccording to the 2008 nobel prize for medicine a plausible explanation would be an accident in the wuhan laboratory he also added that the purpose of this work was the search for an aids vaccinethe truth will eventually come out in any case this thesis defended by professor luc montagnier has a positive turn according to him the altered elements of this virus are eliminated as it spreads nature does not accept any molecular tinkering it will eliminate these unnatural changes and even if nothing is done things will get better but unfortunately after many deathsthis is enough to feed some heated debates so much so that professor montagniers statements could also place him in the category of conspiracy theorists conspirators are the opposite camp hiding the truth he replies without wanting to accuse anyone but hoping that the chinese will admit to what he believes happened in their laboratoryto entice a confession from the chinese he used the example of iran which after taking full responsibility for accidentally hitting a ukrainian plane was able to earn the respect of the global community hopefully the chinese will do the right thing he adds in any case the truth always comes out it is up to the chinese government to take responsibility", + "https://www.gilmorehealth.com/", + "FAKE", + 0.11941334527541424, + 587 + ], + [ + "Ground Control to Planet Lockdown: This Is Only a Test", + "as much as covid19 is a circuit breaker a time bomb and an actual weapon of mass destruction wmd a fierce debate is raging worldwide on the wisdom of mass quarantine applied to entire cities states and nationsthose against it argue planet lockdown not only is not stopping the spread of covid19 but also has landed the global economy into a cryogenic state with unforeseen dire consequences thus quarantine should apply essentially to the population with the greatest risk of death the elderlywith planet lockdown transfixed by heartbreaking reports from the covid19 frontline theres no question this is an incendiary assertionin parallel a total corporate media takeover is implying that if the numbers do not substantially go down planet lockdown an euphemism for house arrest remains indefinitelymichael levitt 2013 nobel prize in chemistry and stanford biophysicist was spot on when he calculated that china would get through the worst of covid19 way before throngs of health experts believed and that what we need is to control the paniclets cross this over with some facts and dissident opinion in the interest of fostering an informed debatethe report covid19 navigating the uncharted was coauthored by dr anthony fauci the white house face of the fight h clifford lane and cdc director robert r redfield so it comes from the heart of the us healthcare establishmentthe report explicitly states the overall clinical consequences of covid19 may ultimately be more akin to those of a severe seasonal influenza which has a case fatality rate of approximately 01 or a pandemic influenza similar to those in 1957 and 1968 rather than a disease similar to sars or mers which have had case fatality rates of 9 to 10 and 36 respectivelyon march 19 four days before downing street ordered the british lockdown covid19 was downgraded from the status of high consequence infectious diseasejohn lee recently retired professor of pathology and former nhs consultant pathologist has recently argued that the worlds 18944 coronavirus deaths represent 014 per cent of the total these figures might shoot up but they are right now lower than other infectious diseases that we live with such as flu\nhe recommends a degree of social distancing should be maintained for a while especially for the elderly and the immunesuppressed but when drastic measures are introduced they should be based on clear evidence in the case of covid19 the evidence is not clearthats essentially the same point developed by a russian military intel analystno less than 22 scientists see here and here have expanded on their doubts about the western strategydr sucharit bhakdi professor emeritus of medical microbiology at the johannes gutenberg university in mainz has provoked immense controversy with his open letter to chancellor merkel stressing the truly unforeseeable consequences of the drastic containment measures which are currently being applied in large parts of europeeven new york governor andrew cuomo admitted on the record about the error of quarantining elderly people with illnesses alongside the fit young populationthe absolutely key issue is how the west was caught completely unprepared for the spread of covid19 even after being provided a head start of two months by china and having the time to study different successful strategies applied across asiathere are no secrets for the success of the south korean modelsouth korea was producing test kits already in early january and by march was testing 100000 people a day after establishing strict control of the whole population to western cries of no protection of private life that was before the west embarked on planet lockdown modesouth korea was all about testing early often and safely in tandem with quick thorough contact tracing isolation and surveillancecovid19 carriers are monitored with the help of videosurveillance cameras credit card purchases smartphone records add to it sms sent to everyone when a new case is detected near them or their place of work those in selfisolation need an app to be constantly monitored noncompliance means a fine to the equivalent of 2800controlled demolition in effect in early march the chinese journal of infectious diseases hosted by the shanghai medical association prepublished an expert consensus on comprehensive treatment of coronavirus in shanghai treatment recommendations included large doses of vitamin cinjected intravenously at a dose of 100 to 200 mg kg per day the duration of continuous use is to significantly improve the oxygenation indexthats the reason why 50 tons of vitamin c was shipped to hubei province in early february its a stark example of a simple mitigation solution capable of minimizing economic catastrophein contrast its as if the brutally fast chinese peoples war counterpunch against covid19 had caught washington totally unprepared steady intel rumbles on the chinese net point to beijing having already studied all plausible leads towards the origin of the sarscov2 virus vital information that will be certainly weaponized sun tzu style at the right timeas it stands the sustainability of the complex eurasian integration project has not been substantially compromised as the eu has provided the whole planet with a graphic demonstration of its cluelessness and helplessness everyday the russiachina strategic partnership gets stronger increasingly investing in soft power and advancing a paneurasia dialogue which includes crucially medical helpfacing this process the eus top diplomat joseph borrell sounds indeed so helpless there is a global battle of narratives going on in which timing is a crucial factor china has brought down local new infections to single figures and it is now sending equipment and doctors to europe as others do as well china is aggressively pushing the message that unlike the us it is a responsible and reliable partner in the battle of narratives we have also seen attempts to discredit the eu we must be aware there is a geopolitical component including a struggle for influence through spinning and the politics of generosity armed with facts we need to defend europe against its detractorsthat takes us to really explosive territory a critique of the planet lockdown strategy inevitably raises serious questions pointing to a controlled demolition of the global economy what is already in stark effect are myriad declinations of martial law severe social media policing in ministry of truth mode and the return of strict border controlsthese are unequivocal markings of a massive social reengineering project complete with inbuilt full monitoring population control and social distancing promoted as the new normalthat would be taking to the limit secretary of state mike we lie we cheat we steal pompeos assertion on the record that covid19 is a live military exercise this matter is going forward we are in a live exercise here to get this rightall hail blackrockso as we face a new great depression steps leading to a brave new world are already discernable it goes way beyond a mere bretton woods 20 in the manner that pam and russ martens superbly deconstruct the recent 2 trillion capitol hillapproved stimulus to the us economyessentially the fed will leverage the bills 454 million bailout slush fund into 45 trillion and no questions are allowed on who gets the money because the bill simply cancels the freedom of information act foia for the fedthe privileged private contractor for the slush fund is none other than blackrock heres the extremely short version of the whole astonishing scheme masterfully detailed herewall street has turned the fed into a hedge fund the fed is going to own at least two thirds of all us treasury bills wallowing in the market before the end of the yearthe us treasury will be buying every security and loan in sight while the fed will be the banker financing the whole schemeso essentially this is a fed treasury merger a behemoth dispensing loads of helicopter money with blackrock as the undisputable winner\nblackrock is widely known as the biggest money manager on the planet their tentacles are everywhere they own 5 of apple 5 of exxon mobil 6 of google second largest shareholder of att turner hbo cnn warner brothers these are just a few examplesthey will buy all these securities and manage those dodgy special purpose vehicles spvs on behalf of the treasuryblackrock not only is the top investor in goldman sachs better yet blackrock is bigger than goldman sachs jp morgan and deutsche bank combined blackrock is a serious trump donor now for all practical purposes it will be the operating system the chrome firefox safari of fedtreasurythis represents the definitive wall streetization of the fed with no evidence whatsoever it will lead to any improvement in the lives of the average american\nwestern corporate media en masse have virtually ignored the myriad devastating economic consequences of planet lockdown wall to wall coverage barely mentions the astonishing economic human wreckage already in effect especially for the masses barely surviving so far in the informal economyfor all practical purposes the global war on terror gwot has been replaced by the global war on virus gwov but what is not being seriously analyzed is the perfect toxic storm a totally shattered economy the mother of all financial crashes barely masked by the trillions in helicopter money from the fed and the ecb the tens of millions of unemployed engendered by the new great depression the millions of small businesses that will simply disappear a widespread global mental health crisis not to mention the masses of elderly especially in the us that will be issued an unspoken drop dead noticebeyond any rhetoric about decoupling the global economy is already de facto split in two on one side we have eurasia africa and swathes of latin america what china will be painstakingly connecting and reconnecting via the new silk roads on the other side we have north america and selected western vassals a puzzled europe lies in the middlea cryogenically induced global economy certainly facilitates a reboot trumpism is the new exceptionalism so that means an isolationist maga on steroids in contrast china will painstakingly reboot its market base along the new silk roads africa and latin america included to replace the 20 of tradeexports to be lost with the usthe meager 1200 checks promised to americans are a de facto precursor of the much touted universal basic income ubi they may become permanent as tens of millions of people will be permanently unemployed that will facilitate the transition towards a totally automated 247 economy run by ai thus the importance of 5gand thats where id2020 comes inai and id2020 the european commission is involved in a crucial but virtually unknown project crema cloud based rapid elastic manufacturing which aims to facilitate the widest possible implementation of ai in conjunction to the advent of a cashless oneworld systemthe end of cash necessarily implies a oneworld government capable of dispensing and controlling ubi a de facto full accomplishment of foucaults studies on biopolitics anyone is liable to be erased from the system if an algorithm equals this individual with dissentit gets even sexier when absolute social control is promoted as an innocent vaccineid2020 is selfdescribed as a benign alliance of publicprivate partners essentially it is an electronic id platform based on generalized vaccination and its starts at birth newborns will be provided with a portable and persistent biometricallylinked digital identitygavi the global alliance for vaccines and immunization pledges to protect peoples health and provide immunization for all top partners and sponsors apart from the who include predictably big pharmaat the id2020 alliance summit last september in new york it was decided that the rising to the good id challenge program would be launched in 2020 that was confirmed by the world economic forum wef this past january in davos the digital identity will be tested with the government of bangladeshthat poses a serious question was id2020 timed to coincide with what a crucial sponsor the who qualified as a pandemic or was a pandemic absolutely crucial to justify the launch of id2020as gamechanging trial runs go nothing of course beats event 201 which took place less than a month after id2020the johns hopkins center for health security in partnership with once again the wef as well as the bill and melinda gates foundation described event 201 as a highlevel pandemic exercise the exercise illustrated areas where publicprivate partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequenceswith covid19 in effect as a pandemic the johns hopkins bloomberg school of public health was forced to issue a statement basically saying they just modeled a fictional coronavirus pandemic but we explicitly stated that it was not a predictiontheres no question a severe pandemic which becomes event 201 would require reliable cooperation among several industries national governments and key international institutions as spun by the sponsors covid19 is eliciting exactly this kind of cooperation whether its reliable is open to endless debate\nthe fact is that all over planet lockdown a groundswell of public opinion is leaning towards defining the current state of affairs as a global psyop a deliberate global meltdown the new great depression imposed on unsuspecting citizens by designthe powers that be taking their cue from the tried and tested decadesold cia playbook of course are breathlessly calling it a conspiracy theory yet what vast swathes of global public opinion observe is a dangerous virus being used as cover for the advent of a new digital financial system complete with a forced vaccine cum nanochip creating a full individual digital identitythe most plausible scenario for our immediate future reads like clusters of smart cities linked by ai with people monitored full time and duly microchipped doing what they need with a unified digital currency in an atmosphere of benthams and foucaults panopticum on overdrive\nso if this is really our future the existing worldsystem has to go this is a test this is only a test", + "https://www.strategic-culture.org/", + "FAKE", + 0.07342891797616208, + 2301 + ], + [ + "Is coronavirus a US biowarfare weapon as Francis Boyle believes?", + "on january 30 the world health organization who declared the coronavirus outbreak to be a public health emergency of international concernon sunday us national institute of allergy and infectious diseases director anthony fauci said the coronavirus almost certainly is going to be a pandemicthe who defines a pandemic as a worldwide spread of a new diseasethe us centers for disease control and prevention cdc calls it a disease that spreads across several countries or continents usually affecting a large number of peoplebritains health and safety executive says a viral outbreak can be characterized as a pandemic if its markedly different from recently circulating strains notably if humans have little or no immunity to itthe new york times quoted former cdc director thomas frieden saying its increasingly unlikely that the coronavirus can be contained addingit is therefore likely that it will spread as flu and other organisms do but we still dont know how far wide or deadly it will bethe term pandemic applies to a disease that affects large numbers of people worldwide clearly not applicable to the coronavirus outbreak based on evidence so far see belowaccording to mayo clinics dr pritish tosh in epidemiologic terms an outbreak refers to a number of cases that exceeds what would be expecteda pandemic is when there is an outbreak that affects most of the worldwe use the term endemic when there is an infection within a geographic location that is existing perpetuallyan epidemic refers to an infectious disease outbreak in a particular country or communityhow do the above definitions apply to the coronavirus outbreak in chinahere are the latest numbers through monday 20622 confirmed cases 426 dead in china the outbreak mostly in wuhan and surrounding areascases in other countries arent anywhere near epidemic or pandemic levels judge for yourselfaustralia 12 mostly individuals who returned from wuhan or hubei province cambodia 1 canada 4 finland 1 france 6 germany 10 india 3 italy 2 japan 20 malaysia 8 all chinese nationals nepal 1 the philippines 2 russia 2 singapore 18 south korea 15 spain 1 sri lanka 1 sweden 1 taiwan 10 thailand 19 uae 5 uk 2 us 11 vietnam 8 most of the above cases apply to chinese nationals or individuals who returned from the country in most or all cases from wuhanin response to a question asked me by a friend on the seriousness of the coronavirus outbreak to people in the us i explained that the chance of being in an auto accident or harmed by one at home is far greateri also stressed that establishment media especially us cable channels are the most unreliable sources of information on the coronavirus outbreak featuring fearmongering reportssome examples includethe new york times beijing sees major test as doors to china close and coronavirus deaths surpass sars the washington post states scramble to carry out trumps coronavirus travel order the wall street journal coronavirus closes china to the world straining global economy fox news experts worry about pandemic as coronavirus numbers increasecnn wuhan coronavirus confirmed cases top 20000 as china marks deadliest dayother establishment media headlined reports are similaraccording to the cdc at least 15 million flu illnesses have been reported so far during the 2019 20 season resulting in 140000 hospitalizations and 8200 deaths in the usthese numbers reflect a national epidemic yet little about this is reported other than annual recommendations to get flu shots sponsored by big pharmanatural news calls them the greatest medical fraud in the history of the world whybecause they contain over 50 ppm mercury an extremely toxic heavy metal linked to kidney failure birth defects spontaneous abortions and neurological damagethe same goes for other vaccines potentially more dangerous than diseases theyre meant to protect againsttheyre a bonanza for big pharma on february 1 cnbc reported that investors are rushing into biotechs that are working on coronavirus vaccinesa dozen or more companies are working on developing them clinical testing to begin in a few months the profit potential huge when approved for sale theyll be marketed worldwide advertising promoting themon monday natural news reported that the coronavirus was engineered by scientists in a lab using well documented genetic engineering vectors that leave behind a fingerprint addingthe who and cdc are covering up this inconvenient factlaw professor francis boyle drafted the us biological weapons antiterrorism act of 1989 signed into law by ghw bush revoked by bushcheney on the pretext of rebuilding americas defenses at a time when the nations only enemies are invented no real ones existboyle believes the potentially deadly coronavirus is a biowarfare weapon genetically modified for this purposechinas wuhan bsl4 lab is a whodesignated research lab boyle explaining that the organization is fully aware of whats happening and howboyles assessment contradicts claims about the virus originating from a wuhan seafood market or being connected to coronaviruses found in batsindian institute of technology scientists discovered that the wuhan coronavirus has been engineered with aids like insertions meaning its not a naturally occurring phenomenon if true addingits quite unlikely for a virus to have acquired such unique insertions naturally in a short duration of timechina is using aids drugs to treat infected patients chinas center for disease control and prevention is working on developing a vaccinein 2003 media spread fearmongering about a sars pandemic proved way overblown 800 deaths reported after hysteria subsidedin the same year 42643 people in the us were killed in 6328000 policereported motor vehicle accidents 2889000 people injuredin 2009 the who falsely predicted a global swine flu h1n1 pandemic that could affect as many as two billion people over the next two yearsat the time evidence suggested that the h1n1 strain was bioengineered in a us laboratory vaccines produced for it extremely hazardous and potentially lethal\nno national or global emergency existed no pandemic or epidemic occurred the cdc estimated that from 8330 to 17160 deaths resulted from the strain\nfearmongering at the time aimed to convince people to take experimental untested toxic and extremely dangerous vaccines that can damage the human immune system and cause health problems ranging from annoying to lifethreateninga similar scenario is in play today vaccines could be rushed to market big pharma promoting their usethe us had an active biological warfare program since at least the 1940sin 1941 it implemented a secret program to develop offensive and allegedly defensive bioweapons using controversial testing methodsduring ww ii the us chemical warfare services began mustard gas experiments on about 4000 servicemenin 1945 the us atomic energy commission aec implemented program fit was the most extensive us study of the health effects of fluoride a key chemical component in atomic bomb productionits one of the most toxic chemicals known risking harm to the central nervous systemyet low concentration amounts are in drinking water and toothpaste little or nothing reported officially or by establishment media on its toxicitysince at least the 1940s va patients were guinea pigs for medical experimentsthe pentagon earlier released biological agents in us cities to learn the effects of germ warfare in populated areas tests done secretlyin 1953 the cia initiated project mkultra a multiyear research program to test drugs and biological agents for mind control and behavior modification unwitting human subjects usedfrom the 1960s at least through the 1980s the us used biological agents against cubaduring the vietnam war the pentagons use of hugely toxic agent orange and sarin nerve gas killed disabled or caused chronic illnesses for millions mainly civiliansin all us wars radiological chemical biological and other banned weapons are used inflicting a devastating toll on people in targeted areasis the coronavirus a bioweapon as francis boyle believes most likely itll be contained in the weeks ahead reported numbers of individuals infected falling not risingwhen all is said and done ongoing fearmongering will likely prove to be a bonanza for big pharmaas for the coronavirus it may end up a footnote in medical history thousands affected in china not millions mainly in and around wuhan small numbers elsewhere", + "https://www.presstv.com/", + "FAKE", + 0.033415584415584426, + 1326 + ], + [ + null, + "for some reason the country where the virus was patented did not cause any doubts and what kind of military events were held in china but where does the virus come from", + "Olga", + "FAKE", + 0.25, + 32 + ], + [ + "breathing in hot air from a hair dryer or in a sauna can prevent or cure COVID-19.", + "in view of the dire situation we currently face with infections in dozens of countries and thousands of fatalities here is a detailed description of the original coldarrest procedure with the suggested times and temperatures carefully optimized for coronavirus eradicationturn hair dryer to the lowest setting and then cup fingers over the air intake to slow the air flow and increase its output temperaturewith the other hand use a wet cloth or a spray bottle filled with water to frequently moisten the facial surface around the nose and mouth the flow of hot air causes the water to evaporate keeping the face and nose cool while allowing the heat to penetrating deeply into the nose and sinuses take slow deep breaths through the nose with mouth closed for 5 minutes to minimize any discomfort turn the blow dryer aside in between breaths so that warm air is directed toward the face and nose only while inhaling if the air feels warm but not hot try a higher heat setting the goal is to raise the inside of the nose and sinuses to the coronavirus kill temperature of at least of 56 c 133 f during the entire treatment period so use the highest temperature you can safely toleratepause between heat applications for about one hour this allows time for the natural movement of the mucus layer within the sinuses to reposition any potentially shielded virus to a more exposed location where it can be heated and destroyedafter the cooling period begin another 5minute hot air treatment if no symptoms have appeared two heating cycles per day should be sufficient for prevention however if symptoms have already developed three to five of these alternating heatingcooling cycles per day are recommended until symptoms disappearif widely used as an added prevention step along with wearing a mask and handwashing this coldarrest hyperthermia therapy has the potential of helping to halt any further spread of covid19 it also offers an important psychological benefit for those who are currently in isolation quarantine or lockdown for a prolonged viral incubation period instead of just waiting helplessly to see if symptoms develop patients can take a proactive role by exterminating any virus that may be present", + "https://perma.cc/", + "FAKE", + 0.10067567567567567, + 369 + ], + [ + "EUROPEAN UNITY’: POLAND REPORTEDLY CLOSED AIRSPACE FOR RUSSIAN AIRCRAFT DELIVERING MEDICAL AID TO ITALY", + "since the start of the covid19 crisis in europe multiple structures of the eu have demonstrated that they are not capable and not interested in dealing with the real problems of eu member states they are mostly concerned with keeping the national governments under own control sucking money of national states and selling european interestes to the global establishment the myth about the socalled european or euroatlantic unity was also destroyed by the reality however the situation seems to be even worsealeksey pushkov a russian senator and a former chairman of the russian state duma committee on international affairs said on march 23 that poland had refused to let russian il76 military aircraft carrying aid to coronovirushit italy use its airspacepoland did not let russian aircraft carrying aid to italy pass through its airspace this is meanness at the level of public policy moreover the help was for an ally of poland in the eu and nato from now on russia should not meet poland halfway on any issue he wrotepushkov was not the only who noted that russian aircraft delivering medical aid to poland flies to italy via a long route they were forced to make a detour having to travel at least 3000km more than if routed through polish airspace the senators statement has not been confirmed by either the polish authorities or the russian defence ministry there is a chance that the russian side opted to use the longer route to deliver medial aid to italy by instant reasonssince march 22 the russian defense ministry has sent at least 14 flights of il76 military transport aircraft with dozens pieces of medical equipment and hundreds of medics and viral agent defense specialists to italy the russian covid19 response team is now actively engaged in containing the outbreak in the country", + "https://southfront.org/", + "FAKE", + 0.020343137254901965, + 302 + ], + [ + "COVID-19 is no worse than other outbreaks that have occurred in “every election year,” suggesting that the new coronavirus is being “hyped” to hurt President Donald Trump.", + "viral posts on social media claim covid19 is no worse than other outbreaks that have occurred in every election year suggesting that the new coronavirus is being hyped to hurt president donald trump", + "Facebook", + "FAKE", + 0.06117424242424242, + 33 + ], + [ + null, + "a coronavirusrelated health advisory graphic issued by the world health organization warned against unprotected sex with farm animals", + null, + "FAKE", + 0, + 18 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + "Argument for a 5G – COVID-19 Epidemic Causation", + "two documents reprinted on each argue that there are reasons to think that 5g radiation is greatly stimulating the coronavirus covid19 pandemic and therefore an important public health measure would be to shut down the 5g antennae and particularly the small cell 5g antennae in close proximity to our homes schools businesses house of worship and hospitalsthe first of these documents published by miller et al concerns the impact of 5g radiation on the immune system of the body and also suggests that 5g radiation may also increase the replication of the virus in both of these ways 5g radiation may be expected to make the covid19 pandemic much worse\nthe second of these documents is my own and is derived from a larger document on 5g radiation effects it starts with the history of 5g in wuhan china the epicenter of the covid19 epidemic wuhan is chinas first 5g smart city and is the location of chinas first 5g highway where 5g radiation is being used to test selfdriving vehicles approximately 10000 5g antennae were installed and activated in wuhan in 2019 with approximately 75 to 80 of these installed and activated in the last 2 ½ months of the yearthe epidemic was first detected near the beginning of that 2 ½ month period and became vastly more severe with extremely large increases in numbers of cases and in deaths by the end of 2019 that may of course be coincidental south korea which became the site of the worst epidemic outside of china has large numbers of 5g antennae all over the country the milan area of italy the worst epicenter in europe also is a 5g center and seattle area the worst area in the us is also a major 5g area reports predict that new york city will shortly become the largest epicenter in the us is another 5g site these nonchinese epidemic areas are not discussed in my paper but these findings are accurate again the locations of these epicenters in 5g areas may be coincidentalelectromagnetic fields including the highly pulsed and therefore highly dangerous 5g millimeter wave radiation act via activation of voltagegated calcium channels vgccs with vgcc activation producing five different effects each of which have roles in stimulating the replication and spread of coronaviruses\n excessive intracellular calcium oxidative stress nfkappab elevation inflammation apoptosis programmed cell deaththe predominant cause of death in the covid19 epidemic is pneumonia and each of these five effects also have roles in pneumonia such that each of them is predicted to greatly increase the percent of people dying death in this epidemic it seems highly plausible that 5g radiation is greatly increasing the spread of the epidemic and also the death rate in individuals that are infectedyou may wish to consider all of this in conjunction with the broader findings with regard to the dangers of 5g and other effects apparently produced by 5g exposureshow then did we get to this state many independent scientists including myself have argued that there should be no 5g rollout until there is extensive biological safety testing of genuine 5g radiation with all of its dangerous modulating pulses however the industry has refused to get independent 5g testing and the fcc and other regulatory agencies have refused to require such testing furthermore the emf safety guidelines which are supposed to protect us from health impacts of emf radiation have been shown based on eight different types of highly repeated studies to fail massively to predict biological effects they therefore fail to predict safety 3 it follows from this that all assurances of safety based on these safety guidelines are fraudulent consequently there is no evidence whatsoever of 5g safety and much evidence of lack of safetyit is my opinion therefore that 5g radiation is greatly stimulating the coronavirus covid19 pandemic and also the major cause of death pneumonia and therefore an important public health measure would be to shut down the 5g antennae particularly the small cell 5g antennae in close proximity to our homes schools businesses houses of worship and hospitals i will list some of my professional qualifications following the citationsthe vgcc activation mechanism has been amazingly well accepted in the scientific literaturemy first 2013 paper on it was placed on the global medical discovery web site as one of the top medical papers of 2013 that paper has been cited 255 times according to the google scholar database most new scientific paradigms are only slowly accepted and this is much much faster than usual i have given 59 invited professional talks on this topic in 15 countries including 4 prestigious keynote addresses i had been scheduled to give 1 more prestigious keynote address in april has been postponed because of covid19 two of my papers my neuropsychiatric paper and my wifi paper are each described by the publishing journal as being the most often downloaded paper in the history of each journal stunning scientific interest in both papersmy recent talks one sponsored by the dept of engineering and applied science at queens university and the other at the world congress on physics in berlin where i was given a certificate of recognition show together that both engineers and physicists are starting to realize the importance of this mechanism", + "https://electromagnetichealth.org/", + "FAKE", + 0.06080722187865045, + 879 + ], + [ + "Breaking news: China will admit coronavirus coming from its P4 lab", + "as the novel coronavirus originated in wuhan is spreading to ten countries more and more people including international bioweapon experts are questioning its link to the wuhan p4 lab located about 20 miles from a seafood market where the first few cases of human infections were founda reliable source one of the chinese kleptocrats told miles guo today that the chinese communist party ccp will admit to the public of an accidental leak of labcreated virus from a p4 lab in wuhan to put blames on human errors but the official announcement is still being finalized initially the chinese communists propaganda machines were blaming the virus on wild animals like bats by showing many videos of people eating bats in january 2018 a biosafety level four bsl4 laboratory was built in the city of wuhan which focuses on the control of emerging diseases and stores purified sars and other types of viruses it is supposed to act as a who reference laboratory linked to similar labs around the world the remaining question is whether the chinese communist party leaked the virus on purpose as a desperate attempt to stay in power there is no final conclusion yet but the chinese communist party acted suspiciously before during and after the first case of wuhan pneumonia wang qishan visited wuhan secretly during the time of the first sign of the deadly virus the chinese top kleptocrats like han zheng did not respond to any early reports of the mysterious wuhan pneumonia sent by the government of hubei province the chinese government deliberately covered up and delayed the reporting and containment of the mysterious pneumonia the chinese kleptocrat wang qishan the vice president of china told his friend confidently that the outbreak would end in february while the epidemic is spreading out of control the chinese government deliberately abandon the residents patients and medical staff at the epicenter without providing food medical supplies or protective gear the chinese top kleptocrats handle the outbreak with a nonchalant attitude instead of talking or acting in ways to show concerns they were celebrating chinese new year as if nothing has happened the chinese government has not done a lot to reduce the spread of the disease except for sending military forces to prevent people from escaping their cities or villages on lockdown the chinese government allows the fear to spread nationally and internationally to create an almost doomsdaylike scene the chinese government rejected aid monitoring donation or assistance from the who to keep the epidemic in a black box", + "https://gnews.org/", + "FAKE", + 0.04572285353535354, + 423 + ], + [ + "On the Origins of the 2019-nCoV Virus, Wuhan, China", + "recombination technology has been in use in molecular virology since the 1980s the structure of the 2019ncov virus genome provides a very strong clue on the likely origin of the virusunlike other related coronaviruses the 2019ncov virus has a unique sequence about 1378 bp nucleotide base pairs long that is not found in related coronaviruseslooking at the phylogenetic tree recently published derived using all the full genome sequence we see the 2019ncov virus does not have clear monophyletic support given the bootstrap value of 75 fig 1closeup on bootstrap value of 75 for available 2019ncov from lu et al 2020 the lancet article full text\nthere is no doubt that there is a novel sequence in 2019ncov we confirmed this via sequence alignment heres the dot plotthe gap in the line shows a lack of sequence homology beween the most similar bat coronavirus and 2019ncov the inserted sequence which should not be there is herea database search by the first team to study and publish the whole genome sequence for the origins of the inserted sequence turned up no hits ji et al 2020 they conducted a codonbias analysis which led them to speculate that perhaps there had been a recombination event between a coronavirus in snakes with a coronavirus from bats ji et al 2020this led to criticism on wired3 with quote dismissing the snake origin hypothesis as lacking evidence there is however clear evidence that the novel sequence which i will refer to henceforth as ins1378 is from a laboratoryinduced recombination event specifically the sequence similarity to other coronavirus sequences is lower to its most similar sequences in any coronavirus than the rest of the genome ipak finding\n2 the high sequence similarity of ins1378 to a sars spike protein 2 ipak confirmed we also found significant sequence similarity of ins1378 to a pshuttlesn vector that was in use in the 1980s in china to create a more immunogenic coronavirus ipak finding details below option 4here i review four option on the origins of the 2019ncov coronavirus isolated from human patients from wuhan chinaoption 1 natural coronavirus related to bat coronaviruses not a recombined virusevidence for phylogenetic clustering with bat coronavirusesevidence against low bootstrap support n75 and presence of a ins1378status falsified hypothesistest survey coronviruses in animals in the wildoption 2 a recombined virus that naturally picked up a sarslike spike protein in it nterminus 3 end of the viral genomeevidence for the ins1378 codon bias similar to snakes evidence against insufficient match in database search to other known cov spike proteins ji et al 2020 status speculative hypothesis unlikelytest find an isolate that matches 2019ncov in the wild and reproducibly independently isolate the virus from a wild animal a match will confirmoption 3 a recombined virus made in a laboratory for the purpose of creating a bioweaponboth china and the us hinted at the other sides potential liability in playing a role in bringing about a novel coronavirus in the lab specifically for the purpose of being used as a bioweapon to add to the intrigue a chinese scientist was released from bsl4 laboratory in manitoba canada for violating protocols allegedly sending samples of deadly viruses to mainland chinaon january 26 the washington times published this article citing an israeli defense expert claiming that china has likely proceeded with a bioweapons program but ending the article with a quote to londons daily mail from a us scientist rutgers university microbiologist richard ebright that at this point theres no reason to harbor suspicions that the lab may be linked to the virus outbreakthe pshuttlesn vector was among many described in a 1998 paper by bert vogelstein et al here is a company where one can purchase the pshuttlesn vectorit turns out that the sequence from pshuttle is most closely related to the spike protein from sars coronavirusthis particular technology was used in 2008 to attempt to develop a more immunogenic vaccine against coronavirus heres a chinese patent for that technique and product intended for use in a vaccinethe patent summary reads sars vaccine of adenovirus vector and preparation method application of coronavirus s gene abstract the present invention belongs to the field of genetic engineering particularly relates to adenoviral vector sars vaccines their preparation and coronavirus s genes in sars sars on vaccines for the prophylaxis by means of biological engineering the coronavirus s gene in combination with deficient recombinant adenovirus the protective immunogen protein or polypeptide expressed therein through expansion culture purification and formulation to prepare a mucosal immunogenicity can cause the gene vaccine respiratory mucosal immune response induced by the body to produce antibodies against the virus infection specific conditions of the present invention compared with conventional inactivated virus particle vaccine safe easy to use without limitation intramuscular have broad clinical applicationsin 2015 the us called for an end to research creating new viruses in the lab that have increased threat higher transmissibility higher pathogenicity higher lethalithy the very researchers conducting studies on sars vaccines have cautioned repeatedly against human trials\nan early concern for application of a sarscov vaccine was the experience with other coronavirus infections which induced enhanced disease and immunopathology in animals when challenged with infectious virus 31 a concern reinforced by the report that animals given an alum adjuvanted sars vaccine and subsequently challenged with sarscov exhibited an immunopathologic lung reaction reminiscent of that described for respiratory syncytial virus rsv in infants and in animal models given rsv vaccine and challenged naturally infants or artificially animals with rsv 32 33 we and others described a similar immunopathologic reaction in mice vaccinated with a sarscov vaccine and subsequently challenged with sarscov 18 20 21 28 it has been proposed that the nucleocapsid protein of sarscov is the antigen to which the immunopathologic reaction is directed 18 21 thus concern for proceeding to humans with candidate sarscov vaccines emerged from these various observations tseng et al\nthe disease progression in of 2019ncov is consistent with those seen in animals and humans vaccinated against sars and then challenged with reinfection thus the hypothesis that 2019ncov is an experimental vaccine type must be seriously consideredevidence for sequence homology between ins1378 to pshuttle coronavirus vaccine presence of a sarslike spike protein in bat coronavirus otherwise most similar to bat coronaviruses low bootstrap valueevidence against low sequence homology but highly signifiant nb these viruses are rna viruses and they can evolve quickly even under laboratory conditionsstatus most likelytest determine the nucleotide sequence all laboratory types of coronavirus being studied in china a match will confirm find an isolate that matches 2019ncov in the wild and reproducibly independently isolate the virus from a wild animal a match will falsify\nthe available evidence most strongly supports that the 2019ncov virus is a vaccine strain of coronavirus either accidentally released from a laboratory accident perhaps a laboratory researcher becoming infected with the virus while conducting animal experiments or the chinese were performing clinical studies of a coronavirus vaccine in humansdr dale brown brought to my attention the studies that have reported serious immunopathology in animals rats ferrets and monkeys in which animals vaccinated against coronoviruses tended to have extremely high rates of respiratory failure upon subsequent exposure in the study when challenged with the wildtype coronaviruscaution in proceeding to application of a sarscov vaccine in humans is indicated te et al 2012 full text\nyasui et al 2012 reported severe pneumonia in mice who were vaccinated against sars who were subsequently infected with sars\nanother study of a doubleinactived sars vaccine found increased eosinophilic proinflammatory responses in vaccinated mice especially older mice writing\nimportantly aged animals displayed increased eosinophilic immune pathology in the lungs and were not protected against significant virus replication\nif the chinese government has been conducting human trials against sars mers or other coronviruses using recombined viruses they may have made their citizens far more susceptible to acute respiratory distress syndrome upon infection with 2019ncov coronavirus\nthe implications are clear if china sensitized their population via a sars vaccine and this escaped from a lab the rest of world has a serious humanitarian urgency to help china but may not expect as serious an epidemic as might otherwise be expected\nin the worstcase scenario if the vaccination strain is more highly contagious and lethal 2019ncov could become the worst example of vaccinederived contagious disease in human history with an uncharacteristic aysmptomatic prodromal period of 57 days individuals returning from china to other countries must be forthright and cooperative in their nowprescribed 2week quarantine", + "http://archive.md/", + "FAKE", + 0.09587831733483905, + 1415 + ], + [ + "Redfield and Birx: Can they be trusted with COVID?", + "us military documents show that in 1992 the cdcs current director robert redfield and his thenassistant deborah birxboth army medical officersknowingly falsified scientific data published in the new england journal of medicine fraudulently claiming that an hiv vaccine they helped develop was effective they knew the vaccine was worthlessredfield now runs the agency charged with mandating covid vaccines birx a lifelong protégé to both redfield and anthony fauci served on the board of bill gates global fund redfield birx and fauci lead the white house coronavirus task forcea subsequent air force tribunal on scientific fraud and misconduct agreed that redfields misleading or possibly deceptive information seriously threatens his credibility as a researcher in 1992 two military investigators charged redfield and birx with engaging in a systematic pattern of data manipulation inappropriate statistical analyses and misleading data presentation in an apparent attempt to promote the usefulness of the gp160 aids vaccine a subsequent air force tribunal on scientific fraud and misconduct agreed that redfields misleading or possibly deceptive information seriously threatens his credibility as a researcher and has the potential to negatively impact aids research funding for military institutions as a whole his allegedly unethical behavior creates false hope and could result in premature deployment of the vaccine the tribunal recommended investigation by a fully independent outside investigative body dr redfield confessed to dod interrogators and to the tribunal that his analyses were faulty and deceptive he agreed to publicly correct them afterward he continued making his false claims at three subsequent international hiv conferences and perjured himself in testimony before congress swearing that his vaccine cured hivtheir gambit worked based upon his testimony congress appropriated 20 million to the military to support redfield and birxs research project public citizen complained in a 1994 letter to the congressional committees henry waxman that the money caused the army to kill the investigation and whitewash redfields crimes the fraud propelled birx and redfield into stellar careers as health officials", + "https://childrenshealthdefense.org/", + "FAKE", + -0.031221303948576674, + 326 + ], + [ + "Robert F Kennedy Jr. Exposes Bill Gates' Vaccine Agenda In Scathing Report", + "vaccines for bill gates are a strategic philanthropy that feed his many vaccinerelated businesses including microsofts ambition to control a global vaccination id enterprise and give him dictatorial control of global health policygates obsession with vaccines seems to be fueled by a conviction to save the world with technologypromising his share of 450 million of 12 billion to eradicate polio gates took control of indias national technical advisory group on immunization which mandated up to 50 doses table 1 of polio vaccines through overlapping immunization programs to children before the age of five indian doctors blame the gates campaign for a devastating nonpolio acute flaccid paralysis npafp epidemic that paralyzed 490000 children beyond expected rates between 2000 and 2017 in 2017 the indian government dialed back gates vaccine regimen and asked gates and his vaccine policies to leave india npafp rates dropped precipitouslyin 2017 the world health organization who reluctantly admitted that the global explosion in polio is predominantly vaccine strain the most frightening epidemics in congo afghanistan and the philippines are all linked to vaccines in fact by 2018 70 of global polio cases were vaccine strainthe cdc has a large financial interest in pushing untested vaccines on the public and who is even more under the control of big pharma the organization is corrupt beyond the meaning of the word the who is a sock puppet for the pharmaceutical industryduring gates 2002 menafrivac campaign in subsaharan africa gates operatives forcibly vaccinated thousands of african children against meningitis approximately 50 of the 500 children vaccinated developed paralysis\nsouth african newspapers complained we are guinea pigs for the drug makers nelson mandelas former senior economist professor patrick bond describes gates philanthropic practices as ruthless and immoralin 2010 the gates foundation funded a phase 3 trial of gsks experimental malaria vaccine killing 151 african infants and causing serious adverse effects including paralysis seizure and febrile convulsions to 1048 of the 5949 childrenin 2010 gates committed 10 billion to the who saying we must make this the decade of vaccinesa month later gates said in a ted talk that new vaccines could reduce populationin 2014 kenyas catholic doctors association accused the who of chemically sterilizing millions of unwilling kenyan women with a tetanus vaccine campaign independent labs found a sterility formula in every vaccine tested after denying the charges who finally admitted it had been developing the sterility vaccines for over a decade similar accusations came from tanzania nicaragua mexico and the philippinesin 2014 the gates foundation funded tests of experimental hpv vaccines developed by glaxo smith kline gsk and merck on 23000 young girls in remote indian provinces approximately 1200 suffered severe side effects including autoimmune and fertility disorders seven died indian government investigations charged that gatesfunded researchers committed pervasive ethical violations pressuring vulnerable village girls into the trial bullying parents forging consent forms and refusing medical care to the injured girls the case is now in the countrys supreme courta 2017 study morgenson et al 2017 showed that whos popular dtp vaccine is killing more african children than the diseases it prevents dtpvaccinated girls suffered 10x the death rate of children who had not yet received the vaccine who has refused to recall the lethal vaccine which it forces upon tens of millions of african children annuallyglobal public health advocates around the world accuse gates of steering whos agenda away from the projects that are proven to curb infectious diseases clean water hygiene nutrition and economic developmentthe gates foundation only spends about 650 million of its 5 billion dollar budget on these areas they say he has diverted agency resources to serve his personal philosophy that good health only comes in a syringein addition to using his philanthropy to control who unicef gavi and path gates funds a private pharmaceutical company that manufactures vaccines and additionally is donating 50 million to 12 pharmaceutical companies to speed up development of a coronavirus vaccinein his recent media appearances gates appears confident that the covid19 crisis will now give him the opportunity to force his dictatorial vaccine programs on american children", + "https://www.zerohedge.com/", + "FAKE", + 0.02386177041349455, + 678 + ], + [ + "Coronavirus: Covert euthanasia with the use of Rivotril", + " in the interview de monredon said that a recently issued government decree allows french doctors to use the sedative and antiepileptic drug rivotril to euthanize covid19 patients since its associated with morphine its a guaranteed death via complete respiratory depressionit was talked about for the elderly in ephad senior assisted living centers because theyre not all sent to the hospital so its euthanasia and eugenics she said", + "http://www.contre-info.com", + "FAKE", + 0.03333333333333333, + 67 + ], + [ + "cases of coronavirus in the United States linked to the rollout of 5G, the fifth-generation wireless technology", + "did some research today and made this map overlay showing the new 5g towers and coronavirus outbreaks weird that they center around eachother\nplz share dont fall for this bs", + "Facebook", + "FAKE", + -0.15454545454545454, + 30 + ], + [ + "Corona – The Aftermath", + "what will be next is a question on many peoples minds very likely the world will never be the same again that might be god or not so good depending on how we look at this disastrous pandemic which by all serious accounts does not deserve the term pandemic that was unwittingly given to the mers2cov or 2019ncov renamed by who to covid19 in midfebruary dr tedros whos director general called it a pandemic this decision was already taken by the wef world economic forum in davos from20 24 january 2020 when the total covid19 cases outside of china were recorded by who as 150 this was a first indication that there was something not quite right that there is another agenda behind the outbreak of the covid19 diseaseon february 28 in a peerreviewed article in the highly reputed new england journal of medicine nejm dr anthony fauci director of niaid national institute of allergy and infectious diseases one of the 27 institutes and centers that make up the us national institutes of health nih likened covid19 to a stronger than usual common fluif one assumes that the number of asymptomatic or minimally symptomatic cases is several times as high as the number of reported cases the case fatality rate may be considerably less than 1 this suggests that the overall clinical consequences of covid19 may ultimately be more akin to those of a severe seasonal influenza which has a case fatality rate of approximately 01 or a pandemic influenza similar to those in 1957 and 1968 rather than a disease similar to sars or mers which have had case fatality rates of 9 to 10 and 36 respectivelyin the meantime other highranking scientist microbiologists and medical doctors from all over the world are questioning the draconian worldwide shutdown because of the corona virus they all say these measures are not necessary to contain a pandemic of this relatively low magnitude ie a fatality rate of about 01 even in italy if the counting and accounting was done more carefully more according to true statistical norms the fatality rate would be perhaps 1 or less what the world is experiencing resembles a wellplanned worldwide declaration and implementation of martial law with socioeconomically disastrous consequences far worse than the disease itself nobody moves the economy comes to an almost standstillthis begs the question what is behind it and what comes next lets first look at a notsogood scenario in the us job losses are currently reported at more than 10 million unemployment expected to rise to at least 35 within the next few weeks bankruptcies will be spiraling out of control within a month or two with a further domino effect on unemploymentwe may be looking at a complete collapse of our western economy and growing misery for the masses what will happen to these people without jobs without incomes many of them may also lose their homes as they will not be able to pay their mortgages or rents they may die from famine diseases of all sorts despair the desired world population reduction that bill gates rockefeller and co aspire it may be part of and the beginning of their sinister eugenics plan\nthe doomsday picture may continue as all the bankrupt small and medium size enterprises including airlines tourist industries et al will be bought up by huge monopolies that already exist google amazon alibaba and more mergers of gigantic proportions may take place it may be the last shift of capital from the bottom to the top in our era of civilization as we know ita global vaccination program with toxins and dnaaltering proteins contained in the injected immuneserum may be forced upon the surviving population included within the injection of vaccine may be a nanochip that people are not aware of but that may be uploaded with all your personal data from health records to traffic violations to your bank account so that you can be followed surveyed and watched over every step you take and every dissenting view you voice will be recorded and listened to and you may be punished by your money being confiscated or a drone may do away with you depending on the gravity of the dissent yes the implantation of a nanochip is a realityan electronic digital oneworldcurrency system is planned and may be imposed and your money spending and savings may be controlled through the microchip in your bodythe poison in the forcedvaccines may also do their work they may make you sterile sick and eventually die especially the elderly with a reduced immune system they must go first thats part of the eugenics plan that rockefeller dreams of and his crony bill gates may implement with his insane and phanatic vaccination programs the elderly use up much too much of the social capital health care pensions living spacethose who survive may pass on the deadly genome defects caused by the vaccines to their children and they may eventually die or be deformed or live with neurological damage and pass the calamity on to the next generation and the nextsome of them will selectively be cured induced mutations for cure are possible because the 001 elite or less needs some humans who can manage the artificial intelligence ai systems that may eventually run every facet of your life from cars to refrigerators to food manufacturing and delivery as well as medication that you have to take they these nefarious evil creatures create some alpha and beta type humans to control and supervise aibeings and their activities so the robots wont run amok with the world and with the allpowerful but utterly deceptive and vulnerable elite for the elite the sadistic evil creatures it must remain paradise actually happiness for everybody is needed to avoid social upheaval we may become a society resembling aldhous huxleys brave new worldthey the alphas and betas the upper echelons of the enslaved humanoids have to make sure that ai is not overrunning the elite but will be kept under controlhydrocarbon energy oil and gas may no longer be an issue the price will be adjusted to the needs of the monopolistic demands a reduced population will be using less energy and since most is run by 5g and later even more efficiently by 6g already in the making and since there is really no competition anymore among the top monopolies energy will be flowing amply no price war is necessarythis is a doomsday scenario one that gates and his satanic cult would like to impose upon the worldnow lets look at a good scenario one that we the people have the power to make good first no complex projection of this type can ever be modeled and implemented over time because dynamics take over the world is alive anything that is alive cannot be directed by linearism modelling is linear but is subject to the laws of dynamicssecond we mankind are alive too and we have the power to reverse this nefarious game plan of this evil cult that wants to dominate mother earth and all her creatures and the riches she hosts its a question of waking up and many people start seeing the light perhaps in part because of this absurdity this worldwide lockdown this insanity of an endless thirst for power mother earth is sick and tired of this abuse of the upper crust of society she is stronger than the 001 we the people can join mother earth be on her side and be safepeople start seeing the thought of utter destruction behind this fake epidemic or according to whos highly questionable leadership a pandemic a fearmongering pandemic we might as well call the corona virus virus f for fear and yes people can die of fear who is dancing to the tune of the powerful of bill gates the rockefellers the pharma giants and the behindthedoor invisible wefpoliticians and bankers all this under the pretext of saving the world from the invisible corona virus from a pandemic that isntwe have enormous spiritual powers within us which we can mobilize to stem against the propaganda stream in fact the reason we are exposed to this type of ferocious propaganda is precisely because the masters know about that strength of the human mind and the way to immobilize it is through fear thats whats happeningthe longer this pathetic and oppressive martial law situation lasts yes in many countries even europe martial law has become the state of the affair the more this inner power and conviction of self of us sovereign selves that we are will resurface in humanity and displace the fear to become a force to stand up against the evil forces stand up for justice and for human equality for human dignity and ultimately for solidarity and love\nlove is what makes us overcome this diabolical planthat is the scenario of hope and love endless hope is hoping to the end then the end will never come and as we hope and create endlessly avoiding conflict we see the light emerging from the dark a harmonious flow of peaceful creation", + "https://journal-neo.org/", + "FAKE", + 0.005116789685135007, + 1522 + ], + [ + "Dr. Fauci and COVID-19 Priorities: Therapeutics Now or Vaccines Later?", + "there is a raging debate in our government how should america respond to the coronavirus crisis with therapeutic drugs or with a vaccine dr anthony fauci director of national institute of allergy and infectious disease is predictably shining a spotlight on risky and uncertain coronavirus vaccines that may not be available for two years rather than prioritizing the shortterm therapies that patients need right nowin light of the immunity from liability guaranteed by the prep act during declared emergencies fasttracked vaccines are a sweetheart deal for both biopharma and government will big pharma and biotech companies be allowed to cash in on this catastrophe with speculative patentable vaccines at the expense of the therapeutics needed to save lives nowfor more details read the chd article titled dr fauci and covid19 priorities therapeutics now or vaccines later", + "https://childrenshealthdefense.org/", + "FAKE", + 0.19795918367346937, + 136 + ], + [ + "COVID and the Terror of Uncertainty", + "there are two worlds in a way never before imagined one of people and jobs of life and experience the other a shadowy world of deceit and terrorism as the month of march 2020 comes to an end and april begins the entire planet is being tested as expected as promised as any idiot might guess political leadership has failed and the organizations intended to coordinate the planetary response to biological threats has shown itself to be politicized weakened or possibly worse on march 30 2020 the berman law group of boca raton florida filed a 20 trillion lawsuit against the government of china for creating and disseminating the covid 19 virus which has well we dont really know one has to remind ones self of our times a few years ago what was termed an arab spring emerged largely manipulated by militarized subsidiaries of google and facebook funded by totalitarian regimes aligned with the us spring as it turned out means something different to the people of the middle east the social reformers of the west delivered head choppers and islamists stolen oil and looted factories and not so much democracy as promised then as so easily predicted those who brought the disease thus offered the cure coalition bombings occupation drone assassination and unending sufferingin ukraine spring meant false flag snipers and downing an airliner followed by a descent into politics more familiar to those who studied the last century and the fascist attempt to rule the world nothing is as it seems nothing seen can be believed nothing read is true nothing taught exists all is flimflammery and bluster buffoonery and mayhem well what does one see living in the united states one sees a lockdown of a nation for one two three or more months what one doesnt see is where exactly 200 million people are how they live where the money comes from to feed them and what the sinking feeling of hopelessness is doing to them for the haves well financed retirees or medical workers not yet infected life may be changed even grim but it will continue quite recently a number of publications began spreading the rumor that 21 million chinese mobile phone users had simply disappeared meaning that they had died of covid 19 and were now in mass graves this type of story is common and such things spring up almost daily the reason isnt simple a sea of absurd lies is manufactured by think tanks in order to drown those gems of embarrassing truth that escaped the google censors or the control of the corporate media here in the us the concern is generated by driving past miles of closed factories stores and restaurants the government plans to send out small checks to cover up to 5 of economic losses of the working poor who were always no more than 3 weeks from homelessness now they cant be thrown out on the street not for awhile anyway law has prevented this but the lost income will never be replaced income that paid insurance health care for children bought food and clothing and that american lifestyle of fast food cable television and continual texting those jobs the restaurants and shops many of the factories no longer exist no bail out can save them in a permanently retracted economy that will never be able to reabsorb millions of workers whose livelihood was governed by economic fakery where two weeks before stores were emptied now the money that financed buying carloads of toilet paper has dwindled away no one talks of this no one reports this no one asks where 200 million americans are how they feed their kids how they spend their days and how fear is playing on their vulnerability there is no social welfare state in america the benefits for retirees medicare and social security are being chipped away by conservative politics health care for veterans and there are many millions of former military whose lives were destroyed while america destroyed the middle east has disappeared unspoken of and unreported veterans are being told they are being removed from health care and can no longer be treated including and especially the totally disabled combat veterans supplies dont exist the pharmacies are out of medications and it didnt start with covid 19 it began with donald trump veterans health care the largest health care system in the world disappeared when no one was looking it is dead and gone it will never be reported no organization will complain to congress because you see if you arent a bank or oil company one of those with their hands out for 6 trillion in free money from the trump regime you dont exist a few paragraphs ago we mentioned the massive lawsuit against china the assumption that china created covid 19 is based on an important research paper written in 2015 that tied a research facility in wuhan to a study on a bat virus that created something capable of infecting the world a disease exactly like covid 19 this is the origin of the blame china ploy just like the blame russia for fake gas attacks in syria or when the kiev regime shot down mh17 all that was needed was a fake court fake evidence and controlled media with the accusation against china all that is needed is for china to be tied in this case for supplying a virus to a dangerous terror group to a global pandemic the terror group as we discovered was the usaid a cia affiliate that used the wuhan virus to create something frightening at the university of north carolina not in wuhan a lawsuit and trial will condemn china in a rigged american court experts so many experts who saw china defeat the disease in weeks while it has run rampant across the us have come to believe that the us was always the origin and that covid 19 had been around for some time inside the us before showing up in china what is strange is that some questions are never asked why so many die in northern italy the best hospitals in the world are there no transportation hubs no ties to wuhan and no biowarfare labs are they being experimented on then we have detroit another anomaly a city of all private homes a city filled with poor a disease spread rapidly through a community that uses no public transportation and that has been housebound by weather for months no one looks for a patient zero or superspreader a term used in studies on bioterrorism the other untold story is the restructuring of americas employment environment no trade unions anymore no contracts no benefits no guarantees the war on the worker that reagan began and bush 43 won behind the smokescreen of 911 and the fake war on terror you see injured workers seldom qualify for benefits and those laid off because of economic slowdowns are denied benefits though processes of fake accusations and legal trickery it gets worse if you are injured on a job lets say a piece of heavy equipment breaks and you are seriously injured not only will you likely never receive wage compensation but you are likely to be denied needed medical care as well medical treatment is often withheld other than enough to make sure you dont die right away until a hearings process is exhausted which can take up to two years during that time a physical injury will often lead to permanent crippling and care when it becomes available eventually is palliative only often opiate pain relievers this is what is meant when it is said that the social welfare safetynet in the us has disappeared this is where 200 million americans without hope now live to fend for themselves and watch television being told day and night to hate china and wait for a check with donald trumps signature that might buy tires for a car that was repossessed", + "https://journal-neo.org/", + "FAKE", + -0.02532184591008121, + 1336 + ], + [ + "WHO IMPEDES THE USE OF CHEAP, ACCESSIBLE DRUGS THAT CAN EFFECTIVELY CURE COVID-19", + "dr didier raoult the famous french infectious disease specialist creator and director of the mediterranean universityclinical institute of infectious diseases used chloroquine for treatmentthe results of dr raoult and his institute were outstanding by the end of march only 10 of the 2400 people who received treatment at his institute had diedfor 80 years chloroquine has been a cheap common safe generic and only when it turned out that the medicine was priced at 4 cents it was established that it couldnt cure covid19 because it would potentially be too cheap and accessibleanother promising drug was remdesivir an ebola drug developed by gilead sciences and what on april 23rd who accidentally posted on its website test results that showed that remdesivir was no good", + "https://southfront.org/", + "FAKE", + 0.1392857142857143, + 124 + ], + [ + null, + "the current coronavirus was developed in the usa in 2015 and anyone with a family member who has died from a coronavirus can safely sue the united states and seek compensation ", + "Tin woodman", + "FAKE", + 0.19999999999999998, + 31 + ], + [ + null, + "but this influenza that is now circling the globe youre saying that silver solution would be effective well lets say it hasnt been tested on this strain of the coronavirus but its been tested on other strains of the coronavirus and has been able to eliminate it within 12 hours totally eliminate it kills it deactivates it silver solution has been proven to kill every pathogen it has ever\nbeen tested on and it can kill any of these known viruses so the virus like the coronavirus that were talking about affects the lung tissue so what you can do put it straight in a nebulizer which then creates a steam and you breathe it in and it will go directly into your lungs where that virus is and any other infection", + "jimbakkershow.com", + "FAKE", + 0.1642857142857143, + 132 + ], + [ + "The\nCoronavirus was manmade, but a single country didnʼtmake it", + "the virus along with the spanish flu\nsars and h1n1 was made by the illuminati it was\ndeveloped in a bunker they are continuous sic\nmaking viruses to make a virus that will completely\ndepopulate a country in days these viruses were\nbeing developed and some of them were accidentally released", + "reddit.com", + "FAKE", + 0.07500000000000001, + 51 + ], + [ + "Nutritional Treatment of Coronavirus", + "abundant clinical evidence confirms vitamin cs powerful antiviral effect when used in sufficient quantity treating influenza with very large amounts of vitamin c is not a new idea at all frederick r klenner md and robert f cathcart md successfully used this approach for decades frequent oral dosing with vitamin c sufficient to reach a daily bowel tolerance limit will work for most persons intravenous vitamin c is indicated for the most serious casesbowel tolerance levels of vitamin c taken as divided doses all throughout the day are a clinically proven antiviral without equal vitamin c can be used alone or right along with medicines if one so choosessome physicians would stand by and see their patients die rather than use ascorbic acid vitamin c should be given to the patient while the doctors ponder the diagnosisdr robert cathcart advocated treating influenza with up to 150000 milligrams of vitamin c daily often intravenously you and i can to some extent simulate a 24 hour iv of vitamin c by taking it by mouth very very often when i had pneumonia it took 2000 mg of vitamin c every six minutes by the clock to get me to saturation my oral daily dose was over 100000 mg fever cough and other symptoms were reduced in hours complete recovery took just a few days that is performance at least as good as any pharmaceutical will give and the vitamin is both safer and cheaper many physicians consider high doses of vitamin c to be so powerful an antiviral that it may be ranked as a functional immunization for a variety influenza strains dr cathcart writesthe sicker a person was the more ascorbic acid they would tolerate orally without it causing diarrhea in a person with an otherwise normal gi tract when they were well would tolerate 5 to 15 grams of ascorbic acid orally in divided doses without diarrhea with a mild cold 30 to 60 grams with a bad cold 100 grams with a flu 150 grams and with mononucleosis viral pneumonia etc 200 grams or more of ascorbic acid would be tolerated orally without diarrhea the process of finding what dose will cause diarrhea and will eliminate the acute symptoms i call titrating to bowel tolerancethe ascorbate effect is a threshold effect symptoms are usually neutralized when a dose of about 90 or more of bowel tolerance is reached with oral ascorbic acid intravenous sodium ascorbate is about 2½ times more powerful than ascorbic acid by mouth and since for all practical purposes huge doses of sodium ascorbate are nontoxic whatever dose necessary to eliminate free radical driven symptoms should be giventhe coronavirus in acute infections may be expected to be just as susceptible to vitamin c as all of the other viruses against which it has been proven to be extremely effective there has never been a documented situation in which sufficiently high dosing with vitamin c has been unable to neutralize or kill any virus against which it has been testedeven the common cold is a coronavirus a new opportunistic virus is a not a big surprise history is full of themflu pandemic of 19191920about 10 million soldiers were killed in world war i 19141918 charging machine guns and getting mowed down month after month there were nearly a million casualties at the somme and another million at verdun a terrible slaughter went on for four years yet in just the two years following the war over 20 million people died from influenza that is more than twice as many deaths from the flu in onehalf the time it took the machine gunswith a centurys worth of accumulated scientific hindsight we must today ask this was a lack of vaccinations really the cause of those flu deaths or was it really wartime stress and especially warinduced malnutrition that set the stage in 1918 and now once again we have an alarming and rather similar scenario between nutrientpoor processed convenience foods mcnothing meals and tv news scare stories we have the basic ingredients for an epidemicinfluenza is a serious disease and historically has been the reapers scythe there is no way to make light of that it warrants a closer look at how the medical profession and government have approached different types of influenzaswine fluin the mid1970s there was the colossal swine flu panic here is what the government of the united states said about the infamous swine flu vaccine in a 1976 massdistributed fda consumer memo on the subjectsome minor side effects tenderness in the arm low fever tiredness will occur in less than 4 of vaccinated adults serious reactions from flu vaccines are very raremany will remember the very numerous and very serious side effects of swine flu vaccine that forced the federal immunization program to a halt so much for blanket claims of safetyas far as being essential in the same memo the fda said this of the same vaccinequestion what can be done to prevent an epidemic answer the only preventive action we can take is to develop a vaccine to immunize the public against the virus this will prevent the virus from spreadingthis was seen to be totally false the public immunization program for swine flu was abruptly halted and still there was no epidemic if vaccination were the only defense one might expect that tens of millions of americans would have been struck down with the swine flu for a large percentage of the population of the us was not vaccinatedvaccines are being used as an ideological weapon what you see every year as the flu is caused by 200 or 300 different agents with a vaccine against two of them that is simply nonsense tom jefferson md epidemiologistbird flurobert f cathcart md writes treatment of the bird flu with massive doses of ascorbate would be the same as any other flu except that the severity of the disease indicates that it may take unusually massive doses of ascorbic acid orally or even intravenous sodium ascorbate why the dose needed is somewhat proportional to the severity of the disease being treated is discussed in my paper published in 1981 titrating to bowel tolerance anascorbemia and acute induced scurvy i have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin c but it is possible that the bird flu may require even higher doses such as 150 to 300 grams a day additionally this flu could be primarily respiratory this means that hospitalization might be necessary if massive doses of ascorbate are not used they may not be adequate most hospitals will not allow adequate doses of ascorbate to be giveninitial oral doses of ascorbic acid should also be massive i would suggest like 12 grams every 15 minutes until diarrhea is produced then however doses should be reduced but not much listen to your body if there are many symptoms keep taking doses that cause a little diarrhea you do not want constant runs because it is the amount you absorb that is important not the amount you put in your mouthbbc 9 april 2006 the chances of bird flu virus mutating into a form that spreads between humans are very low the governments chief scientific adviser has said sir david king said any suggestion a global flu pandemic in humans was inevitable was totally misleadingsarsthe coronavirus outbreak in china seems to be due to a virus similar to sars severe acute respiratory syndrome which was also a coronavirus you may remember sars from 2002 i most certainly do as i was in toronto canada at the time smack in the middle of it i took a lot of vitamin c preventively and had zero symptomsthe common cold is a coronavirus and sars is a coronavirus so they are the same viral type david jenkins md professor of medicine and nutritional science university of torontowaiting for a vaccinewe have set up a situation where a fear is created and then we try to create the treatment for this fear the public gets the idea that the flu is going to kill them and the vaccine will save them neither is true marc siegel md author of false alarm the truth about the epidemic of fearrobert f cathcart all this talk about a vaccine is too late a waste of time now especially when we know how to cure the disease already every flu i have seen so far since 1970 has been cured or ameliorated by massive doses of ascorbate all of these diseases kill by way of free radicals these free radicals are easily eliminated by massive doses of ascorbate this is a matter of chemistry not medicine the time has come to stop hiding our ability to treat these acute infectious diseases with massive doses of ascorbateideally however in serious cases this disease should be treated first with at least 180 grams or more of sodium ascorbate intravenously every 24 hours running constantly until the fever is broken and most of the symptoms are ameliorated if after a few hours that rate of administration does not have an obvious ameliorating effect the rate should be increased what dosagevitamin c fights all types of viruses although the dose should truly be high even a low supplemental amount of vitamin c saves lives this is very important for those with low incomes and few treatment options for example in one wellcontrolled randomized study just 200 mgday vitamin c given to the elderly resulted in improvement in respiratory symptoms in the most severely ill hospitalized patients and there were 80 fewer deaths in the vitamin c groupbut to best build up our immune systems we need to employ large orthomolecular doses of several vital nutrients the physicians on the orthomolecular medicine news service review board specifically recommend at least 3000 milligrams or more of vitamin c daily in divided doses vitamin c empowers the immune system and can directly denature many viruses it can be taken as ascorbic acid which is sour like vinegar either in capsules or as crystals dissolved in water or juice it can also be taken as sodium ascorbate which is nonacidic to be most effective it should be taken to bowel tolerance this means taking high doses several or many times each day see the references below for more informationnebulized hydrogen peroxidethomas e levy md viral syndromes start or are strongly supported by ongoing viral replication in the naso and oropharynx when appropriate agents are nebulized into a fine spray and this viral presence is quickly eliminated the rest of the body mops up quite nicely the rest of the viral presence the worst viral infections are continually fed and sustained by the viral growth in the pharynx probably the best and most accessible agent to nebulize would be 3 hydrogen peroxide for 15 to 30 minutes several times daily an example of successful treatment by ascorbatechikungunya is a viral illness characterized by severe joint pains which may persist for months to years there is no effective treatment for this disease we treated 56 patients with moderate to severe persistent pains with a single infusion of ascorbic acid ranging from 2550 grams and hydrogen peroxide 3 cc of a 3 solution from july to october 2014 patients were asked about their pain using the verbal numerical rating scale11 immediately before and after treatment the mean pain score before and after treatment was 8 and 2 respectively 60 p 0001 and 5 patients 9 had a pain score of 0 the use of intravenous ascorbic acid and hydrogen peroxide resulted in a statistically significant reduction of pain in patients with moderate to severe pain from the chikungunya virus immediately after treatmentavailable evidence indicates that supplementation with multiple micronutrients with immunesupporting roles may modulate immune function and reduce the risk of infection micronutrients with the strongest evidence for immune support are vitamins c and d and zincadditional recommended nutrientsmagnesium 400 mg daily in citrate malate chelate or chloride form many people are deficient in magnesium because modern agriculture often does not supply adequate magnesium in the soil and food processing removes magnesium it is an extremely important nutrient that is essential for hundreds of biochemical pathways a blood test for magnesium cannot correctly diagnose a deficiency a longterm deficiency of magnesium can build up in the body that may take 6 months to a year of higher than normal doses to repletea very cheap and highly beneficial adjunct for any acute infection especially viral is oral magnesium chloride amazingly just as intravenous vitamin c has been shown to cure polio an oral magnesium chloride regimen has been shown to do the same thing as or even more effectively than the vitamin cmix 25 grams mgcl2 in a quart of water depending on body size tiny infant to an adult give 15 to 125 ml of this solution four times daily if the taste is too saltybitter a favorite juice can be addedvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 vitamin d is stored in the body for long periods but takes a long time to reach an effective level if you are deficient eg if you havent taken vitamin d and its near the end of winter when the sun is low in the sky you can start by taking larger than normal doses for 2 weeks to build up the level quickly the maintenance dose varies with body weight 4001000 iuday for children and 20005000 iuday for adultswilliam grant phd says coronaviruses cause pneumonia as does influenza a study of the casefatality rate from the 19181919 influenza pandemic in the united states showed that most deaths were due to pneumonia the sarscoronavirus and the current china coronavirus were both most common in winter when vitamin d status is lowest i have found the value of bolstering immune function with vitamin d to be incredibly powerful dr jeffrey allyn ruterbuschzinczinc is a powerful antioxidant and is essential for many biochemical pathways it has been shown to be effective in helping the body fight infections 2021 a recommended dose is 2040 mgday for adultsselenium 100 mcg micrograms daily selenium is an essential nutrient and an important antioxidant that can help to fight infections dr damien downing says swine flu bird flu and sars another coronavirus all developed in seleniumdeficient areas of china ebola and hiv in seleniumdeficient areas of subsaharan africa this is because the same oxidative stress that causes us inflammation forces viruses to mutate rapidly in order to survive when sedeficient virusinfected hosts were supplemented with dietary se viral mutation rates diminished and immunocompetence improvedbcomplex vitamins and vitamin a a multivitamin tablet with each meal will supply these conveniently and economicallynutritional supplements are not just a good idea for fighting viruses they are absolutely essential", + "http://orthomolecular.org/", + "FAKE", + 0.11390485652780734, + 2482 + ], + [ + "Did scientists know about coronavirus before outbreak? 'Disease X' warning revealed", + "coronavirus chaos appeared to come out of the blue as the illness has swiftly impacted countries all over the world however it has emerged that scientists warned about a new deadly virus long ago deeming it a remote threat at the time and dubbing it disease xthe world health organisation released a report in 2017 in which various pathogens that posed a risk and needed addressing were listed featuring among the threats were nipah disease which causes a range of illnesses from asymptomatic infection to acute respiratory illness and fatal encephalitis inflammation of the brain the list was comprised of viruses which had no known treatments or vaccines and all had the potential to trigger pandemics that could kill thousands just as ebola and swine flu did in previous yearsbut later on a new illness was added disease xthe mysterious name referred to a serious international epidemic caused by a pathogen currently unknownit added that humanity should now be working to seek out and tackle unknown diseases but assumed they would remain a remote threat for some timethe recent outbreak of coronavirus known as covid19 bears similarities to the description of disease x and suggests that researchers underestimated the danger of an enigmatic virus they the likes they warned of three years earlieras the nhs highlights coronavirus main symptoms include a cough a high temperature and shortness of breathwhile scientists have been able to flag various illnesses as potential threats some have argued that the research has been negligent in some areas allowing the coronavirus breakout to occur under the radardr josie golding epidemics lead at the wellcome trust said world health authorities have spent a lot of time and money making plans for dealing with the next major outbreak which was assumed would be an influenza pandemic a lot of investment has gone into making influenza vaccines for examplebut have we been thinking about diseases other than influenza that might become pandemics i dont think we have there has been a real gap in our thinkingwe just didnt envisage a disease x emerging on the scale we had seen with an influenza pandemic we will do that in futurethe death toll from the coronavirus outbreak in mainland china reached 1770 as of the end of sunday up by 105 from the previous dayat least 100 of the new deaths were from the province of hubei the epicentre of the epidemic the commission said on monday morningacross the country there were 2048 new confirmed infections about 1933 from hubei alone pushing the new total to 70548but there are fears that africa a continent yet to be heavily impacted by the chaos could be extremely vulnerable should the illness arrive on its shoresgiven that healthcare resources in many of the countries are scarce and infrastructure pales in comparison to more developed countries the death toll could rise significantly if the continent becomes affectedthe epicentre of the pandemic is in wuhan china and given that the country has grown its political and economic links to a number of african countries people in places such as nigeria and south africa are especially at riskother nations among the 13 labelled as more vulnerable than most include kenya and the democratic republic of the congo leading the world health organisation to mark these areas as high prioritytrade moving between china and africa accumulated more than 150billion in 2018 figures from the chinaafrica research initiative at johns hopkins university school of advanced international studies showsthe closer political and economic ties between beijing and the continent mean that africa could be vulnerable in the future", + "https://www.express.co.uk/", + "FAKE", + 0.05172573189522343, + 598 + ], + [ + "The CDC recommends men shave their beards to be protected against the new coronavirus", + "health authorities have recommended shaving their beards to protect themselves from the coronavirus ", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + "Coronavirus: A\nCanadian-American study could explain why blacks wonʼt get this epidemic in their countries", + " a canadianus study showed that black people have a stronger immune response to infection than white people which could explain the low number of new coronavirus cases observed in subsaharan africa compared to the rest of the world", + "http://www.24jours.com", + "FAKE", + -0.007575757575757576, + 38 + ], + [ + "PROOF: The \"Novel Coronavirus\" Infecting the World is a MILITARY BIO-WEAPON Developed by China's Army", + "the novel coronavirus outbreak affecting china and many other countries right now has been determined to be a military bioweapon which was being worked on at the wuhan virology laboratory by chinas peoples liberation army nanjiang command somehow it got out the world is now facing a massive wipeout of humanity as a resultthe proof that this virus is a geneticallymodified batsarslike virus manipulated by the chinese army appears below the evidence is irrefutabletwo separate components of genetic sequencing from hiv1 the virus which causes aids were added to batsarslike coronavirus in the laboratory thereby allowing it to infect human lungs via the aces2 receptors in our lungs and to disrupt the human body ability to fight it off by reducing human leukocytesbioweapon proof make no mistake this disease is in fact a military biological weapon the disease sequence from the original bat coronavirus was uploaded to the national center for biotechnology information at the us national library of medicine in the year 2018 by chinas institute of military medicine nanjing command the image below from the national center for biotechnology information proves the upload that batsarslike coronavirus was issued reference id avp 708331 by the national center for biotechnology information at the us library of medicinethe present outbreak of novel coronavirus was uploaded to that same national center for biotechnology information in january of this year by the shanghai public heath clinical center and was issued reference id qhd34181 here is proof of that upload using the test facilities known as blast basic local alignment search tool from the us national library of medicine researchers have determined that the virus envelope of those two separate diseases are 100 identical here is the blast test result a new study shows that elements of hiv have been found in the new novel coronavirus from that studywe are currently witnessing a major epidemic caused by the 2019 novel coronavirus 2019 ncov the evolution of 2019ncov remains elusive we found 4 insertions in the spike glycoprotein s which are unique to the 2019ncov and are not present in other coronaviruses importantly amino acid residues in all the 4 inserts have identity or similarity to those in the hiv1 gp120 or hiv1 gag interestingly despite the inserts being discontinuous on the primary amino acid sequence 3dmodelling of the 2019ncov suggests that they converge to constitute the receptor binding site the finding of 4 unique inserts in the 2019ncov all of which have identity similarity to amino acid residues in key structural proteins of hiv1 is unlikely to be fortuitous in naturethere is no way in nature that the bat coronavirus could fortuitously acquire the hiv genetic sequences without causing a mutation of the virus envelope the only way the virus envelope could obtain the hiv genetics and still remain 100 identical to the 2018 sample is if the hiv genes were added in a laboratoryso what the human race is now facing is an accidentallyreleased military bioweapon the original batsarslike coronavirus was identified by chinas peoples liberation army through the institute of military medicine nanjiang command in the year 2018 they uploaded the virus sequence and they were the sole entity in possession of the virushere we are two years later and the virus they had has been changed in a way that cannot occur in nature without mutating the virus envelope proteinthis isnt rocket science this is as plain as day china conducted genetic manipulation of their batsarslike virus and created a new virus capable of infecting humans that new virus was apparently accidentallyreleased and is the novel coronavirus the world is now battlingi am sorry to have to report many of us are very likely to lose this battle just like many are already losing their battle inside china and elsewherequarantine within the first month of this outbreak in china the government there effectively quarantined more than fiftysix million people 56000000 in nineteen 19 major cities even though china reported publicly that only a few hundred were infected and only about 25 had died by that timewhywhy would china lockdown 19 cities and effectively quarantine 56 million people for such a trivial disease because china knew it wasnt trivial china knew it was a military bioweapon which had accidentally gotten out and china also knew how far this would spread and how fast china is guilty as sindisease facts\nhere are the nowestablished facts about this diseasethis disease has an eightythree percent 83 infection rate that means if 100 people are exposed to this virus 83 will get sick from itthe disease can spread by air it is highly highly contagiouswhen a person breathes virus comes out with those breaths same thing when a person sneezes or coughs same when urinating or having a bowel movement all of it has virus in itthe virus can live outside a person in the air or on a surface for a minimum of five days and a maximum of twenty eight daysso if an infected person goes into a store or supermarket or public bathroom or a school office warehouse or anywhere touches products on shelves and puts anything back or sneezes or coughs his virus gets on the products in that store or supermarket bathroom school office warehouse etc and can surviveyou walkin a couple minutes hours or even days later and pick up the same item or even smell their stink in the bathroom pow youre infected\nworse this virus can infect others through the eyes and ears lets say youre walking inside somewhere and an infected person was there minutes earlier and coughed or sneezed the cough or sneeze threw microscopic droplets into the air which float for awhile a few minutes later you walk through that air one or more of the microscopic droplets gets on your eye you dont even know it because the things are so small you blink we all blinkyour eye lid pushes the virus off the surface of your eye down into the bottom eye area and the virus washes down into your tear duct pow youre infectedit cannot be overstated that this virus is the worst public disease crisis the world has faced in over 100 years not since the spanish flu of 1918 has the world faced such death and this is already heading toward being far worse than the spanish fluthe spanish flu spread worldwide during 19181919 in the united states it was first identified in military personnel in spring 1918 it is estimated that about 500 million people or onethird of the worlds population became infected with this virus the number of deaths was estimated to be at least 50 million worldwide with about 675000 occurring in the united stateswhen a disease outbreak occurs one of the measurements that scientists use to see how badly the disease will spread is known as r0the 19181919 pandemiccausing spanish flu is estimated to have had an r0 ranging from 14 28 with a mean of 2 this means that for every person infected that person could be expected to infect another 14 to 28 additional peoplei regret to report that the r0 of this bioweapon is already showing itself to be r408 faaaaaar worse than the 1918 spanish fluheres where things get very bad very fastaccording to satistia the number of all hospital beds in the us 19752017 is decreasing in 1975 there were about 15 million hospital beds in the us but until 2017 the number dropped to just about 931 thousand aug 9 2019according to trendingeconomics hospital beds per 1000 people in united states was reported at 29 in 2013 according to the world bank collection of development indicators compiled from officially recognized sources hospital beds include inpatient beds available in public private general and specialized hospitals and rehabilitation centersusing the infection rate of 83 listed above out of 1000 people exposed to this bioweapon 830 will become infectedthere are 29 hospital beds per thousand us citizens so when 830 people get infected how many can those 29 hospital beds hold yea what happens to the rest they cannot get hospital careright now when a person cannot get hospital care for this disease the death rate for such people is 6570that means me and you deadit can and probably will happen here many of the 56 million people in 19 quarantined cities have not eaten in days because there is no food remaining in the cities this is causing riotingdelivery trucks are prohibited from entering these contaminated cities for fear of spreading the coronavirus to outlying areas people are literally fighting each other to get foodpeople are trying virtually anything they can to escape the quarantine to get foodroadblocks erected by bulldozers bucket loaders and backhoes consisting of large piles of dirt rocks and other obstructions now appear on most roads into and out of quarantined citiessome of these barriers were erected by government while others were erected by people in small towns and villages to keep the infected outin the meantime people throughout china are still simply dropping dead in their trackspeople in some areas are attacking others for merely coming in to their neighborhood warning people hit in head with pipesoutside china people are also dropping dead from this virusin mexico this poor man waited far too long until the disease became hemorrhagic this is how this disease ends things inside china are getting so bad police are now boardingup people inside their apartments to keep them inand more people nailedin to their own homesand once the police leave other people are coming and setting the homes on fire to burn the infected people to deathchina orders all pets killedresidential committees village officials and companies from various provinces and municipalities issued a strict order to locals after receiving instructions from their superiors to tackle the epidemic it has emerged they have ordered citizens to get rid of their pets or face having them culledone village in hebei urged all households to deal with their pets within five days otherwise officials would handle them altogether while another residential committee in shaanxi instructed people to consider the overall situation and dispose of their cats and dogs immediatelychina says pets can carry the bioweapon virus and spread it to otherschina is only about 30 days into this outbreak and their entire country and society are already collapsing what you see above over there is just 30 days away from happening over hereare you preparingbear in mind that all this is just one month into the outbreak one monthwhat we see happening in china can and very likely will happen here in americatoday saturday february 1 a california man has tested positive for the coronavirus marking the seventh confirmed case in the united statesthe unidentified man is a resident of santa clara county the centers for disease control and prevention confirmed friday afternoon according to local news reportshow to protect yourselfthe medical infrastructure of the united states and pretty much every other country simply cannot handle this from the perspective of how many get infected and how fast that happens there simply are not enough hospital beds respirators negativepressure infectious disease isolation rooms once the virus gets here in earnest it probably already is but we wont know for ten days the medical system will be quickly overwhelmed we could see medical infrastructure collapse here in the usa the same as it is happening in chinawhen things go wild weasel here in america there will be all sorts of unanticipated service disruptions the general public remains blissfully unaware of the utter disaster coming at us because the massmedia is keeping rather quiet about the situation but when they cant keep quiet any longer there will be panicyou should prepare now because once the shtf it will be too latehere are suggested preps to try to get yourself and your family through whats coming there is precious little time leftthe best strategy for this is not to be exposed fat chance of that we all go out work school shopping recreation and so forthso how might we protect ourselves while were outwell the fact this virus can be spread by air in addition to staying alive on surfaces like counter tops desks water fountains door handles inside cars and buses product packages on store shelves that someone else handled or sneezedon or coughedon including ones that get delivered by mail fedex ups etc complicates things greatlystep one stay home do not go out unless you absolutely muststep two presuming you have to go out we all do wear a filter mask eye and hand protective gear belowthe n95 filter masks are almost completely sold out already nationwide so you can get a better mask rated as n100 or p100 for the time being until they sell out links to various suppliers are heren95 and here n100 you can also get the vastly available 3m 7500 here which uses 3m 2091 filters here this mask system is more expensive but it works and is widely still available get eye protection either cheap swimmer goggles here or better safety gogglesget a box of rubbernitrile gloves wear this gear when you go outyes youll look and feel ridiculous but you are much more likely to have the last laugh because you are protecting yourselfthis is urgently important the absolute moment you get home take off your shoes and leave them in the foyer do not walk around your house in shoes you wore outside \nyou may have walked on a large amount of infected material as you were out and if you wear those shoes in the house the virus will spread in the house\nnext go into the bathroom take off your clothing put it in a hamper or plastic bag and take a shower you have to wash off any virus that may have landed on your body or hair while you were output on clean garments you cannot go sit in your chair or lay on your couch or bed in clothing you wore outside the virus will come off the clothing onto the furniture and pow someone in the house catches itmake every person in your household do this the absolute moment they come home this virus is highly contagious and it kills people we cannot skimp or get lazy protecting ourselveseat right take vitamins i use centrum and i dont want to sound hokey or like some bible thumper pray to almighty god that you be protected by him during this crisis im not kidding i mean it prayeven if you havent prayed in decades start now hi god its me so and so i know i havent prayed to you in a long time but im coming back to you now and then talk honestly and earnestly to him in a very quiet voicejust remember this is god not a magician to be summoned to do tricks or render services at our beckon call he made us we are his to do with a he sees fitother preps with links have emergency food here here and here in the house in case quarantine gets implemented so you and your family can eat for the 6 weeks or so such quarantines are likely to last have emergency water here stored up in case the water supply gets contaminatedhere is a complete list of preps that folks might consider for themselvesplease pass this article along to those you care about no other source is providing this type of selfhelp advice and there isnt much time left before all hell breaks loose", + "https://web.archive.org/", + "FAKE", + 0.04947858107956631, + 2596 + ], + [ + "Bobby Kennedy Jr. Claims Dr. Fauci and Gates Foundation Will Make Billions on Coronavirus Vaccine", + "bobby kennedy jr the son of the late former us attorney general and the nephew of the late president john f kennedy is warning the world of the perils of vaccinations he claims the push for more vaccines is all about the moneybobby kennedy jr was on a podcast this past week where he dropped some bombs about the perils of vaccinations in his interview at the 5000 minute mark kennedy shares the followingyou have the vaccine act of 86 now you have a project that has no liability so they have no incentive to make it safe not only that they dont have to test it and in fact they have an incentive not to test it because the only way you can get sued under the vaccine act is if you can show that the company knew of an injury and didnt list it on the manufacturers insertso theres an incentive to know as little about the product as possible and you cant sue them and theres no market force that keeps them in check because you can say that the vaccine is mandated for 78 million kids and so the industry got together and manufacturers said holy cow now we have a product that has no liability and thats the biggest cost for drugs so they said number one we dont have to test it thats a huge cost avoided number two theres no liability and thats the biggest cost avoided number three theres no marketing or advertising costs because its mandated so its just like printing moneyif you can get a vaccine on the cdcs recommended schedule it averages about a billion dollars annually in pure profits for your company when i was a kid i got three vaccines and was fully compliant and todays kids get 72 vaccinesat the 5900 minute mark kennedy shares the money and connections between dr fauci and the gates foundationtony fauci has many many vaccine patents and theres one vaccine patent that he has that is a way of packaging a coronavirus with some other vaccine in a protein sheet and then delivering it through a vaccine he somehow ended up owning that patent tony fauci will be able to cash in so faucis agency will collect half the royalties for that vaccine related to the coronavirusthe above audio was shocking in describing the connections between fauci and gates and the alleged money they may make with a vaccine for the coronavirus", + "https://www.thegatewaypundit.com/", + "FAKE", + 0.026164596273291933, + 412 + ], + [ + "CDC Urges Americans To Just Say No If Friend Offers Them Coronavirus", + "atlantain an effort to stop the spread of the potentially lethal pathogen the centers for disease control held a press conference monday to urge americans to just say no if a friend offers them the coronavirus while it may seem cool to be seen around the park or the mall with a runny nose and hacking cough there are very real negative side effects to experimenting with this virus said satish pillai a medical officer in the division of preparedness and emerging infections asking the assembled reporters to remember that the most deadly disease vector of all is peer pressure i know what youre thinking ill just get a couple of respiratory infections at a party i can stop anytime i want but its not that simple and soon the virus has you in its seductive grip so if you see someone collapsing from a fever just tell them no thanks i dont need an infectious agent to have fun pillai added that if you feel you absolutely must try the coronavirus be sure to contract it from someone you know and trust as it may turn out to be something more lethal such as avian flu or sars", + "https://www.theonion.com/", + "FAKE", + 0.08, + 199 + ], + [ + "Eugenicist Bill Gates co-hosted a “high-level pandemic exercise” back in October, just in time for the patented coronavirus he helped fund to be unleashed", + "not long before chinese coronavirus started making global headlines the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation held a highlevel pandemic exercise called event 201 that seems to have been a predictive blueprint for whats now transpiring with the coronavirus outbreakon october 18 2019 representatives from each of the aforementioned groups descended on new york city to discuss how they would respond to a severe pandemic much like the one were now being told is spreading across china and into the westthe exercise illustrated areas where public private partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequences an official announcement from event 201 readsin recent years the world has seen a growing number of epidemic events amounting to approximately 200 events annually the announcement goes on to explain these events are increasing and they are disruptive to health economies and societyaccording to the events organizers a pandemic like the one we could be seeing form right now before our very eyes requires cooperation among governments industries and key international institutions the latter presumably referring to organizations like the bill and melinda gates foundation\nis coronavirus yet another ploy to thin the herd and sell more vaccinesthe timing of event 201 is nothing short of suspicious in light of the fact that coronavirus is all the media is talking about right now its even eclipsing president trumps impeachment proceedings in the senate with news about entire cities in china that are home to tens of millions of people being put under mandatory quarantinewere also seeing headlines about coronavirus popping up in major us cities like seattle houston and chicago which is starting to generate panic here in our own country about how far this thing will go before either fizzling out a bestcase scenario or spreading like wildfireas mike adams the health ranger is now warning the rapid adaptation or mutation of coronavirus suggests that this might be another weaponized viral strain that was intentionally unleashed for eugenics purposesmainstream reporting is admitting that coronavirus is constantly changing like some kind of selfreplicating bioweapon which is all too convenient considering that the bill and melinda gates foundationfunded pirbright institute owns a patent on coronavirus for vaccine creation purposeswas this whole outbreak engineered for the purpose of scaring the general public into accepting yet another government vaccine is it also about depopulating the planet as part of bill gates admitted efforts to use vaccination and health care as a means of reducing the worlds population by 10 to 15 percenttime will tell what becomes of this latest public health scare but one thing is for sure bill gates and his eugenicist buddies are chomping at the bit to vaccinate the entire planet against coronavirus and any other disease they can conjure up as a deadly bioweaponat the current time the fatality rate associated with coronavirus infection is relatively low around two percent but that could very quickly change as the virus mutates and adapts to new environments creating the horrific scenario predicted by event 201experts agree that it is only a matter of time before one of these epidemics becomes global a pandemic with potentially catastrophic consequences the event 201 description ominously forebodesa severe pandemic which becomes event 201 would require reliable cooperation among several industries national governments and key international institutionsto keep up with the latest news about coronavirus be sure to check out outbreaknewsyou can also learn more about how many of these contagion scares are preplanned engineered false flag events at falseflagnews", + "https://www.naturalnews.com/", + "FAKE", + 0.08910694959802103, + 606 + ], + [ + "It is proved: the coronavirus is artificially created and is combat", + "it is proved the coronavirus is created artificially and is a military weapon us biological warfare against china anand ranganatan a professor of genetics at jawaharlal nehru state university in delhi and his colleagues published a report on a study of chinese coronavirusthey found that it was formed from two different types of coronavirus distributed among animals bats and snakes as well as four viruslike inserts characteristic of hiv no known coronavirus has such a structurethus scientists have clearly proved that the virus was created artificially and is a battle chinas national health commission reported 31161 confirmed casestaking into account the number of infected people in all countries as of february 7 there were 31452 people 638 people died more died but this number will not sound you will not return the dead and will not give incense to the tramp pandemics other methods without fail in this regard it can be recalled that currently there is a fierce not for life but for death the socalled trade war between the united states and china and somehow by accident as if by magic at that time and in china the coronavirus erupted which had already done tremendous harm to the chinese economy and sharply weakened beijings position in the negotiationsthe chinese stock market collapsed after the opening of trading on exchanges according to bloomberg who called what was happening an unprecedented bout of sale for ten days the financial markets of china and hong kong were on vacation in connection with the celebration of the new year in this countrythe collapse of the main indices by more than 8 is associated with the epidemic of coronavirusthe shares of telecommunications technology and mining companies are falling the most crude oil futures fell 7 iron ore 65 and ferrous metals 6 copper oil and palm oil also fell to the daily limit allowed on the chinese marketmost people in the market have never faced this situation they cannot be blamed for the need for money when they feel a threat to their health said fan ryu managing director of shanghai wusheng investment management partnership\neven before the spread of coronavirus many experts wrote that in recent years washington contrary to international law has been actively developing biological weapons in its many laboratories located both on american territory and abroadlast november secretary of the security council of russia nikolai patrushev who was well acquainted with this issue warned about this danger and listed the main threats to security in many countries of the worldone of the points was devoted to the policy aimed at the destruction of a single humanitarian space and the separation of peoples in relation to the cis and the csto and also related to the creation of us biological laboratories in their territoryof particular concern is the pentagons efforts to create biological laboratories around the world primarily in the cis countries where infectious diseases are studied and biological weapons can be createdlater information appeared that the united states commissioned more than 200 biological laboratories around the world and they are located in azerbaijan armenia georgia kazakhstan moldova uzbekistan and ukraineby the way commenting on a study by indian scientists exmember of the un commission on biological and chemical weapons military expert igor nikulin emphasized that in china patients with coronavirus have been treated with aids drugs and there are people who have recoveredso in an interview with moskovsky komsomolets he said this is definitely a combat virus there is no doubt that it was created purposefully while scientists are creating a vaccine against a new type of coronavirus doctors recall that the main methods of dealing with it are the same as against influenza\nthe main question is who benefits from having another epidemic unsettle a powerful competitor if we apply the wellknown trick highly likely unceremoniously used by the british exprime minister theresa may to hang the socalled skripals poisoning in russia the answer is obvious the coronavirus epidemic 2019ncov which hit china is highly likely to be in the hands of the united statesand the worse for beijing the better for washington moreover the outlook for the epidemic is not yet encouraging for example some experts say that if the spread of the virus cannot be stopped up to 250 million chinese can become its victims\nit is noteworthy that the virus got to the american technological giant apple whose production area is only 500 kilometers from the homeland of the coronavirus the wuhan metropolis and now according to the nikkei asian review the production of popular iphone smartphones is in jeopardy\nstarbucks also found itself in a difficult situation which due to quarantine had to close a large half of its four thousand coffee houses operating in china by the way this is the second largest market after the united statesbut at the same time the americans for some reason do not look like such victims of the epidemic especially apple whose leadership at the very beginning of the trade and economic confrontation with china advised to evacuate production facilities in the united statesit seems as if president trump saw everything in advance like some kind of psychic but most likely he simply decided to punish those american companies whose leaders did not obey his insistent advice to return their production facilities to the united states however both apple and starbucks were really out of luck\nyou cant say the same about the american political establishment which is making titanic efforts to bring to its knees the presumptuous china and why should these efforts necessarily be of an economic nature in such a war all means are good and no matter what banned weapons the united states uses it is clear that none of the americans will be in the dock of the international court of justiceit may be recalled that the united states is not the first to use biological and chemical weapons during the war the us army sprayed 72 million liters of agent orange defoliants in south vietnam to destroy forests including 44 million liters containing 2378tetrachlorodibenzodioxinthis substance is a persistent substance that enters the human body with water and food it causes various diseases of the liver and blood massive congenital malformations of newborns and violations of the normal course of pregnancy after the use of the us military defoliants after the war several tens of thousands of people died altogether there are about 48 million victims of defoliant spraying in vietnam including three million directly affectedthe current bloated coronavirus epidemic has already done tremendous harm not only to the chinese economy but also to many countries of the world cancellation of flights suspension of production violation of logistics nonparticipation in fairs the epidemic from china is forcing more and more large companies to change plans and improvisehowever the sharp reduction in air traffic with china around the world not only reduces the revenues of airlines and airports losing passengers and traffic but also creates more and more serious problems for firms from various industries this was pointed out by world bank president david malpass warning of an impending decrease in the forecast for global economic growth rates at least in the first part of 2020 he recalled that many chinese goods are delivered around the world in the womb of passenger aircraft now companies have to quickly adapt their supply chains to new conditionscoronavirus is more dangerous for example for the german economy than for its inhabitants lufthansa cancels all flights to china the german travel industry is losing chinese customers companies from germany stop production in china due to the epidemic the business begins to suffer losses however mostly fairly wealthy chinese people travel to germany therefore guests from china occupy the second place among foreign visitors of the country in terms of total expenses for traveling and staying in germany according to german media estimates they spend a total of about 6 billion euros a year on transport and hotel services food and shoppingmany german attractions will soon be missing tourists from china pointing out the importance of chinese tourists to the retail and tourism and entertainment industries in germany dzt head petra hedorfer in a special press statement expressed the hope that the situation will normalize soon and recalled that the main season for visiting germany by chinese tourists this is summer so the industry has a hope to win back those losses that will begin to grow rapidly in the coming daysall this gave rise to the german edition of handelsblatt to draw the following conclusion donald trump is a destroyer in the truest sense of the word three years of his presidency were enough to undermine the world trade order and undermine confidence in the world trade organization wto nato and the paris climate compromise to this can now be added the conduct of a biological war against unyielding rivals not by washing so by skating the russian proverb says", + "https://cont.ws/", + "FAKE", + 0.08547815820543092, + 1494 + ], + [ + "RaTG13 – the Undeniable Evidence That the Wuhan Coronavirus Is Man-Made", + "what is the true origin of the wuhan coronavirus sarscov2 2019ncov the ccp virus many scientific publications seem to tell you that the virus was born from nature how reliable are these publications while before i comment on that i would like to bring out an important fact all of such publications rely on a single evidence the sequence of a bat coronavirus named ratg13ratg13 looks like a close cousin of the wuhan coronavirus the two are 96 identical throughout the whole sequence of the viral genome if ratg13 is a nature borne virus one can comfortably conclude that the wuhan coronavirus must very likely also come from nature and must share a recent common ancestor with ratg13but here is the problem this ratg13 virus isnt real the evidence of its existence its sequence was fabricatedquite a claim right what is the claim based on how can anyone fabricate a sequence who dares to carry out such a deceitful action and is not fearful of being caught one is entitled to ask all of these questions now lets dig into each of them and see how the answers provided here may standwho dares to carry out such a deceitful actionthe sequence of ratg13 was reported by zhengli shi a researcher of a wuhan institute of virology and the biosafety level 4 p4 lab for virology research dr shi is the top coronavirus expert in china she has gained a nickname of batwoman because she and her team have a long history of capturing wild bats in caves all over for the purpose of detecting and sometimes isolating coronaviruses within them as publicly stated the goal of her research is to identify animal coronaviruses that have the potential of crossingover to infect humans and thereby help the public avoiding sarslike disasters in the futureironically contrary to this selfportrait since the very beginning of the current pandemic zhengli shi has been singled out as the suspect who may have created the wuhan coronavirus and in doing so caused a worldwide disaster interestingly on jan 23rd 2020 just before this rumor started to soar though the roof shi published a paper in nature 1 where she compared the freshly obtained sequence of the wuhan coronavirus with those of other coronaviruses and thus delineated an evolutionary path of this new virus in this publication all of a sudden and out of nowhere shi reported this bat coronavirus ratg13 which pampered the public and seemingly helped shape ac onsensus in the field that the wuhan coronavirus is of a natural originas stated in the paper ratg13 was discovered from yunnan province china in 2013 according to credible sources shi has admitted to several individuals in the field that she does not have a physical copy of this ratg13 virus her lab allegedly collected some bat feces in 2013 and analyzed these samples for possible presence of coronaviruses based on genetic evidence to put it into plainer words she has no physical proof for the existence of this ratg13 virus she only has its sequence information which is nothing but a string of letters alternating between a t g and ccan the sequence of such a virus be fabricated it cannot be any easier it takes a person less than a day to type such a sequence less than 30000 letters in a word file and it would be a thousand times easier if you already have a template that is about 96 identical to the one you are trying to create once the typing is finished one can upload the sequence onto the public database contrary to general conception such database does not really have a way to validate the authenticity or correctness of the uploaded sequence it relies completely upon the scientists themselves upon their honesty and consciences once uploaded and released such sequence data becomes public and can be used legitimately in scientific analysis and publicationsnow does this ratg13 sequence qualify as credible evidence in judging the matter well remember a central part of the matter is whether or not this wuhan coronavirus was engineered or created by zhengli shi it is shi not anybody else who is the biggest suspect of this possible crime that is grander than anything else in human history given the circumstances wouldnt she have a strong enough motive to be deceitful if the evidence she raised to prove herself innocent was nothing but a bunch of letters recently typed in a word file should anyone treat it as valid evidenceratg13 if truly exists should never be neglected by shi for a period of seven yearslets now think about this from another direction the sequence of ratg13 is highly alarming it clearly shows a potential of the virus to infect humanswithin the spike protein of a β coronavirus there is a critical piece named receptor binding domain rbd which dictates whether or not this virus can use the ace2 receptor on the surface of our cells and thereby infect humans as a routine when shis team finishes collecting samples and confirms the presence of a coronavirus the first thing they would do is to look at the sequence of the virus rbd if there is resemblance between this sequence and that of the sars virus rarely so their blood would boil because they have found something that may jump over to humans it also means that topjournal publications are coming their wayin 2013 shi made her fame in the coronavirus field by publishing in nature two bat coronaviruses rs3367 and shc014 which share considerable sequence similarity with sars in the rbd region 2 this work for the first time proved a bat origin of sars in the following years her team continued to publish articles featuring additional bat coronaviruses that share these important sequence motifs 3 4what does an rbd sequence look like figure 1 is the sequence comparison between sars rbd and the rbds of the bat coronaviruses that zhengli shi published in high profile journals 24 comparing to sars top many bat coronaviruses most of the ones in the bottom half had substantial deletions in their rbds and are thus likely defective in targeting humans in contrast some bat coronaviruses upper half not only resemble sars in the completeness of the rbd sequences but also contain amino acids similar to their sars counterparts at some of the five locations known to be critical for binding human ace2 receptor this group of viruses with these dazzling features were perceived by the field as breakthroughsfigure1sequencealignmentcomparingtherbdsofsarstopandratg13red arrowtorbdsofbatcoronavirusesthatzhenglishipublishedinhighprofilejournals from2013201724aminoacidresidueshighlightedbyshiascriticalforbinding humanace2receptor2arelabeledinredtextontopalignmentwasdoneusingthe multalinwebserverhttpmultalintoulouseinrafrmultalinhow does ratg13 which was discovered in 2013 compare to these most cherished collections of shisby appearance ratg13 clearly belongs to the goodlooking group it rivals with the best ones in its completeness of the rbd sequence as well as in the conservation of critical amino acids while a single amino acid insertion is observed it occurs in a variable region and can be easily tolerated without affecting the protein functionimportantly ratg13 preserves the binding motifs as much as if not better than any other bat coronavirus in shis list at position 442 ratg13 has a l which beats most if not all bat viruses in resembling the y in sars rbd l and y both mediate hydrophobic interactions at position 472 ratg13 is the only bat coronavirus that has the residue l which is identical to sars although the amino acids at the other three positions are not identical to their counterparts in sars they are all conservative mutations which may not negatively impact the proteins functionas an expert as shi is she only needed to take one peek at the sequence of ratg13s rbd and immediately realize this virus closely resembles sars in its rbd and has a clear potential of infecting humans if shis public statement is true and she indeed intends to discover bat coronaviruses with a potential to crossover to humans how could she possibly overlook this extremely interesting finding of ratg13 if this ratg13 was discovered seven years ago in 2013 why did shi not publish this astonishing finding earlier and yet let the lessattractive viruses take the stage why did she decide to publish such a sequence only when the current outbreak took place and people started questioning the origin of the wuhan coronavirusnone of these makes sense these facts only add to the suspicion zhengli shi either was directly involved in the creation of this virusbioweapon or helped cover it up or bothof course these facts also add to the claim that ratg13 is a fake virus it exists on nature the journal but not in naturea closer look at the gene sequence of ratg13s spike reveals clear evidence of human manipulation to assist our analysis here we have to first understand one basic feature of natural evolutionwhen a gene composed of nucleotides is being translated into a protein composed of amino acids every three consecutive nucleotides constitute a codon and each codon encodes a particular amino acid figure 2 on the other hand an amino acid typically corresponds to four codons although some amino acids have one or two more and some one or two less you can learn more about this here httpspassel2unleduviewlesson3ccee8500ac86 what does it mean it means that when a nucleotide has changed or in other words a single nucleotide substitution has occurred the codon is certainly altered but the corresponding amino acid may or may not change this is because the new codon may encode the same amino acid as the old codon does a single nucleotide substitution that results in no change of the amino acid is referred to as a synonymous mutation a single nucleotide substitution that leads to a change in amino acid is called a nonsynonymous mutation when evolution takes place through random mutations on average every six nucleotide changes result in the change of one amino acid in other words on average and under normal conditions the ratio between the number of synonymous mutations and that of nonsynonymous mutations should be around 51now lets further illustrate such a relationship using an example in figure 3a synonymous and nonsynonymous mutations are counted when the gene sequences of the spike proteins from two closely related bat coronaviruses zc45 and zxc21 6 are compared the green curve depicts how the number of the synonymous mutation grows y axis when the codons are analyzed sequentially x axis the red curve represents the trend of nonsynonymous mutations as expected there are more synonymous mutations than nonsynonymous mutations importantly a correlation between the two curves is clearly present they climb up and go through plateaus in a roughly synchronized manner throughout the whole length of the gene at any point the ratio between the accumulated synonymous and nonsynonymous mutations is maintained at around 51 as described in the preceding paragraph these features are consistent with what is the expected when two lineages closely relate to each other evolutionarily and the differences in their sequences are results of random mutationsfigure3comparingthenucleotidesequencesofdifferentspikeproteinsonthe synonymousmutationsgreencurveandnonsynonymousmutationsredcurve revealsevidenceofhumanmanipulationacomparisonbetweentworelatedbat coronaviruseszc45mg772933andzxc21mg772934whicharenatureborneb comparisonbetweenthewuhancoronavirusnc_045512andratg13mn996532 showsapatterninconsistentwithnaturalevolutionsequencealignmentwasdone usingembossneedlesynonymousnonsynonymousanalysiswasperformedusing snapatwwwhivlanlgov does this hold true for ratg13 and the wuhan coronavirus not reallyfigure 3b is the same comparative analysis done between ratg13 and the wuhan coronavirus one thing you can immediately appreciate is that in the second half of the sequence while the green curve continues to grow steadily the red curve stays flat for a region as wide as over 700 amino acids corresponding to 2100 nucleotides which is statistically substantial the synchronization between the two curves is nonexistentsurprisingly or maybe not so surprisingly at the end the final counts of synonymous and nonsynonymous mutations yield a ratio of just over five consistent with whats expected out of natural evolutionlets bring out some numbers to help us better comprehend the difference here lets focus on the s2 protein the second half of the spike ranging from 684 to 1273 numbering according to the wuhan coronavirus detailed analysis of this region reveals that between zc45 and zxc21 a total of 32 nucleotides have changed and 5 of them lead to amino acid mutations 27 synonymous mutations vs 5 nonsynonymous mutations it is again consistent with the scenario of natural evolution every six nucleotide changes result in the change of one amino acid synonymousnon synonymous ratio is about 51 in contrast for the same s2 region between the wuhan coronavirus and ratg13 there are a total of 90 nucleotide changes and only two amino acid mutations here every 45 nucleotide changes correspond to one amino acid change the synonymousnonsynonymous ratio is 441it is noteworthy that zc45 and zxc21 share 97 sequence identity just like that between the wuhan coronavirus and ratg13 so the above comparison is very proper and reliableif a person is studying the sequence differences between the wuhan coronavirus and ratg13 and yet pays attention only to the overall synonymousnonsynonymous ratio for the spike sequence nothing would look strange however if one digs out as much details as shown in figure 3 any person with a reasonable mind would say that something is clearly wrongwhat is the best way to interpret this a safe conclusion is that between the wuhan coronavirus and ratg13 at least one is nonnatural if one is natural then the other one must be no of course the other possibility also exists neither of them came from natureif the wuhan coronavirus is nonnatural then we have reached the end of our investigationin fact the wuhan coronavirus may look natural even if it is a bioweapon because it is most likely made by using a natural coronavirus as a template this would lead to a conclusion that the ratg13 is nonnatural which is consistent with the facts we have brought up earlier no physical copies of the virus exist and the sequence is highly likely fabricated how could zhengli shi fail so badly in fabricating the ratg13 sequence when i said it was easy to type out a fake sequence that is 96 identical to a template i did not say that it is easy to maintain a reasonable synonymousnonsynonymous ratio throughout the whole genome unfortunately for shi when she had to come up a good sequence for s1 and the rbd within it she knows that this part will be scrutinized the most she had somehow exhausted the number of nonsynonymous mutations she could use here to maintain a reasonable synonymousnonsynonymous ratio for the whole spike encoding gene we can actually give her some credit here as she did remember to get it close to 51 she had to strictly limit the number of nonsynonymous mutations in the s2 half of spike which ended up flattening the red curve it is hard to be a cheater after alla deeper reason that shi and the ccp needs the cover of ratg13 hopefully you are now as convinced as i am in that the ratg13 sequence is indeed a fabrication the first thing we should do then is to discredit any scientific publication which based its analysis on the ratg13 sequence and subsequently arrived at the conclusion that the wuhan coronavirus is of natural origin when you do a cleanup like that you will see that there is practically nothing leftnext we can look back to see what other coronaviruses are close to the wuhan coronavirus in terms of sequence similarity it turns out the two bat viruses featured in figure 3a zc45 and zxc21 are the next hits each sharing 95 amino acid sequence identity 89 nucleotide identity with the wuhan coronavirus what is striking is the manner that the wuhan coronavirus resembles these two bat coronaviruses while every other protein remains highly identical the s1 part of spike which dictates host selection is only 69 identical i have posted an article earlier where i thoroughly analyzed this pattern and discussed how it is interlocked with the wuhan coronavirus being a bioweapon made with zc45 or zxc21 as a template wwwnerdhaspowerweeblycomone thing we havent mentioned so far is that zc45 and zxc21 are bat coronaviruses discovered collected and published by a military research lab of the chinese communist party ccp 6 they are owned only by the ccp now you may be able to appreciate the full benefits that the ccp creates by reporting a fake ratg13 virus with a fabricated sequence it would just be too obvious otherwisefinally i would like to add an additional piece of evidence which was brought up in a comment of my earlier article by someone who is clearly an expert it in my opinion hugely strengthens the claim that the wuhan coronavirus is of nonnatural originthe e protein of β coronaviruses is a structural protein that is tolerant of mutations as evidenced both in sars and in bat coronaviruses however on the amino acid level e protein of the wuhan coronavirus identified at the beginning of the outbreak is 100 identical to those of the suspected templates zc45 and zxc21 what is striking is that after a short twomonths spread of the virus in humans the e protein is already mutated sequence data obtained within the month of april indicate that mutations have occurred to four different locations figure 4 note that the e protein makes very limited interactions with host proteins and thus is not under evolutionary pressure to adapt to a new host not only the e protein can tolerate mutations but also its mutational rate is held constant across different coronavirus species the fact that the e protein of the wuhan coronaviruses is already mutated in the short period of humantohuman transmission is consistent with its evolutionary feature in stark contrast while zc45zxc21 and the wuhan coronavirus are more distant evolutionarily the e proteins within them are 100 identical in no way this could be a result of natural evolution", + "https://gnews.org/", + "FAKE", + 0.07845255342267296, + 2961 + ], + [ + "Vitamin C Saves Wuhan Family from COVID-19", + "ms n lives in wuhan china she takes special care about the wellbeing of her entire family including her chronicallyill mother aged 71 ms n has always been interested in nutrition and she recently learned about vitamin cs antiviral effectsi am an american physician currently residing in shanghai i interviewed ms n by telephone after i received a forwarded story that she posted on chinese social media wechat i made an effort to connect with ms n to verify the story and below is what she told mems n lives with her child in the epicenter of covid19 pandemic she is close to her parents and her brother and his wife the six of them visit each other on a regular basis her mother has diabetes and heart disease with stents placed in addition to several other chronic illnesses including reflux esophagitis\nright before the chinese new year around january 21st her mother developed flulike symptoms with a low grade fever of 38c based on her knowledge ms n advised all members of the family to take oral vitamin c she herself has been taking about 20000 mg daily in dividedup doses her mother reluctantly took a smaller dose probably half or less of what her daughters been takingher mothers condition was stable for 910 days but on january 30th without deteriorating her mother decided to go to wuhan union hospital tongji college of medicine the science and technology university of central china a hospital prominent not only in wuhan but in all of china she wanted to check out if she was infected with the wuhan pneumonia virus she got her presumption confirmed at the hospital she was diagnosed of what became known now as covid19 pneumonia the second day upon admission her fever started going up as high as 396c in about 10 days on february 10th she was admitted to the intensive care unit and went on the heartlung machine as a final attempt to save her lifeat this time ms n learned of the clinical trials with vitamin c administered by infusion ivc intravenous vitamin c immediately she requested the person in charge on the icu to use large dose ivc on her mother the attending physician agreed but would go only to around 10000 mg so it happened after 20 days in icu her mother improved and was discharged to a regular ward a few days ago continuing the ivc treatment as insisted by ms nwhile in hospital miss n her brother and sisterinlaw took turns to visit and take care of her mother they were wearing very simple protection gloves and masks also noted is that while her mother got sick at home none of the five other family members was wearing any mask for several days but all of them went on oral vitamin c tablets none of them developed covid19 infectionso far this is the story of ms n we wish her mother a full and rapid recoveryin the context of the vast amount of research clinical studies case reports and my own decades of experience on vitamin cs use on viral infections i summarize the story below with a few takehome messagesvitamin c tablets at high doses daily may be the reason why the family didnt catch the infectiongiven her age history of chronic disease and the high mortality of covid19 on seniors ivc may have played a large role in her mothers improvementthe news of official ivc clinical trials has definitely had a positive impact in this case as the attending physician was emboldened to use ivc a wellfunctioning immune system is of the utmost importance to keep away the viral infection and vitamin c may support the defense against the covid19 virus most importantly in chronically ill patients with a weakened immune systemnote from andrew w saul omns editorinchief dr richard cheng is still in china now he continues to work overtime with expert chinese doctors and hospitals to facilitate providing intravenous vitamin c for the most seriously ill covid19 victims for background information on the plausibility of treating coronavirus with highdose vitamin c", + "http://orthomolecular.org/", + "FAKE", + 0.05046034322820036, + 685 + ], + [ + null, + "coronavirus is the result of poisoning caused by 5g", + "Facebook", + "FAKE", + 0, + 9 + ], + [ + "Vitamin D identified as the “survival nutrient” against covid-19… could cut mortality rate in HALF, say researchers", + "for three months weve been urging our readers to pursue sensible nutritional strategies to boost immune function and protect against infections now a study carried out by northwestern university has found that higher vitamin d levels result in lower mortality rates from covid19 infectionsvitamin d deficiency according to the study was significantly linked to the development of severe symptoms and complications leading to death\nthe study published in medrxiv is entitled the possible role of vitamin d in suppressing cytokine storm and associated mortality in covid19 patientsthe study used data from coronavirus patients across multiple nations including the uk the usa china france italy and south korea those patients who had the lowest vitamin d levels had the highest risk of complications such as the cytokine storm immune reaction that leads to rapid death\nwe saw a significant correlation with vitamin d deficiency says study author vadim backmanthe research paper concludes our finding suggests that vit d may reduce covid19 severity by suppressing cytokine storm in covid19 patiethe paper is careful to note that vitamin d should not be considered a kind of miracle cure for covid19 and that more research needs to be conducted to further explore the relationshipthe paper was also covered by studyfindsorg which explainsall of the data used for this study was publicly available and an indepth analysis revealed a correlation between vitamin d levels and cytokine storm a form of hyperinflammation due to an overactive immune system a relationship between vitamin d and mortality rates among covid19 patients was noted as wellso the research team believe vitamin d is helpful against covid19 because it simultaneously boosts our existing immune systems while also preventing new immune responses from going over boardour analysis shows that it might be as high as cutting the mortality rate in half backman says it will not prevent a patient from contracting the virus but it may reduce complications and prevent death in those who are infectedhowever it is clear that vitamin d deficiency is harmful and it can be easily addressed with appropriate supplementation this might be another key to helping protect vulnerable populations such as africanamerican and elderly patients who have a prevalence of vitamin d deficiencywhy is no government leader recommend vitamin d or zincwith research like this clearly showing a drastic reduction in mortality from a simple lowcost and very safe supplement thats widely available right now it begs the question why isnt anyone in government recommending nutrition as a way to protect public health while we attempt to reopen the economyeven worse why are governors restricting people from going to the beach where they generate vitamin d for free as they are absorbing healing sunlight thats the beauty of vitamin d your body makes it at no charge but not if youre locked down in your own home which seems to be part of the big plan to cause mass suffering and deathpresident trump is pushing hard for 300 million doses of a vaccine by the end of the year but he completely fails to mention vitamin d and zinc these solutions could be saving lives right now and they dont need months or years or testing since they have a long track record of safe effective use and are incredibly affordablethe real answer of course is that big pharma doesnt want people to stay healthy with nutrition theyd rather see people sick and suffering waiting for a vaccine or another highpriced prescription drug that barely even works like remdesivir which saves no lives at alland since the drug companies run the white house the media big tech and medical schools theres virtually no one in any position of power thats willing to risk the ire of the drug companies by recommending safe simple lowcost nutritional supplements that might make drugs and vaccines obsolete\nthe big pharma scheme you see demands that the american people stay locked down until theres a vaccine at which time the entire us economy will be shattered and beyond repairtrump should order the government to manufacture vitamin d zinc supplements and give them away to all americans this is why ive called for the government to manufacture and give away key supplements that may help prevent coronavirus infections for a fraction of the price of the multitrilliondollar bailouts that have already been paid the federal government could provide free vitamin d zinc and vitamin c for the entire populationhealth care costs would plummet across the board and big pharma would lose hundreds of billions of dollars as fewer people are diagnosed with a long list of diseases and chronic conditions that are prevented through nutrition and thats exactly why any plan to keep america healthy will be halted by those in power a healthy nation doesnt need big pharma and big pharma provides the reelection campaign money that keeps corrupt lawmakers in power the drug cartels also provide about 70 of the ad revenue to the corrupt mainstream media which is why the media relentlessly attacks natural remedies while pushing toxic highprofit prescription drugs and vaccinesso to keep the gravy train rolling they have to keep the american people locked down and sick thats why knowledge about nutrition is also being censored by twitter youtube facebook and google among other tech platformsthats partly why ive been banned everywhere because ive been promoting nutrition and disease prevention for two decades costing the drug giants hundreds of millions of dollars in lost revenuesyou absolutely must watch this important minidocumentary to learn more about how big pharma is using the coronavirus pandemic to enslave the human race and trap people in a cycle of disease and harmful vaccinations", + "https://www.naturalnews.com/", + "FAKE", + 0.09355838605838604, + 943 + ], + [ + "BOMBSHELL REPORT: How Coronavirus Leaked From Wuhan Laboratory", + "chinese scientists believe the deadly coronavirus may have started life in a research facility just 300 yards from the wuhan fish market heres how coronavirus leaked from wuhan laboratoryexclusive coronavirus bioweapon how china stole coronavirus from canada and weaponized it watch here visualizing the secret history of coronavirus watch the exclusive interview of bioweapons expert dr francis boyle on coronavirus biological warfare blocked by the deep state a new bombshell paper from the beijingsponsored south china university of technology says that the wuhan center for disease control whcdc could have spawned the contagion in hubei provincethe possible origins of 2019ncov coronavirus penned by scholars botao xiao and lei xiao claims the whcdc kept diseaseridden animals in laboratories including 605 batsit also mentions that bats which are linked to coronavirus once attacked a researcher and blood of bat was on his skinthe report says genome sequences from patients were 96 or 89 identical to the bat cov zc45 coronavirus originally found in rhinolophus affinis intermediate horseshoe bat\nit describes how the only native bats are found around 600 miles away from the wuhan seafood market and that the probability of bats flying from yunnan and zhejiang provinces was minimalin addition there is little to suggest the local populace eat the bats as evidenced by testimonies of 31 residents and 28 visitorsinstead the authors point to research being carried out withing a few hundred yards at the whcdcone of the researchers at the whcdc described quarantining himself for two weeks after a bats blood got on his skin according to the report that same man also quarantined himself after a bat urinated on himand he also mentions discovering a live tick from a bat parasites known for their ability to pass infections through a host animals bloodthe whcdc was also adjacent to the union hospital figure above where the first group of doctors were infected during this epidemic the report saysit is plausible that the virus leaked around and some of them contaminated the initial patients in this epidemic though solid proofs are needed in future studyand as well as the whcdc the report suggests that the wuhan institute of virology could also have leaked the virusthis laboratory reported that the chinese horseshoe bats were natural reservoirs for the severe acute respiratory syndrome coronavirus sarscov which caused the 20023 pandemic the report says\nthe principle investigator participated in a project which generated a chimeric virus using the sarscov reverse genetics system and reported the potential for human emergence 10 a direct speculation was that sarscov or its derivative might leak from the laboratorythe report concludes that the killer coronavirus probably originated from a laboratory in wuhanit comes as the outbreak has infected more than 69000 people globally with 1665 deaths in china most of these in the central province of hubei", + "https://greatgameindia.com/", + "FAKE", + 0.07034090909090909, + 469 + ], + [ + "Paid for the damn virus that’s killing us': Giuliani rips Fauci over grants to Wuhan laboratory", + "rudy giuliani questioned dr anthony faucis involvement in grants from the united states to a laboratory in wuhan china that has been tied to the coronavirus pandemicaccording to a report the us intelligence community has growing confidence that the current coronavirus strain may have accidentally escaped from the wuhan institute of virology rather than having originated at a wildlife market as the chinese communist party first claimed during a sunday interview on the cats roundtable giuliani questioned why the us gave money to the labback in 2014 the obama administration prohibited the us from giving any money to any laboratory including in the us that was fooling around with these viruses prohibited despite that dr fauci gave 37 million to the wuhan laboratory and then even after the state department issued reports about how unsafe that laboratory was and how suspicious they were in the way they were developing a virus that could be transmitted to humans he claimed\nhe added we never pulled that money so something here is going on john i dont want to make any accusations but there was more knowledge about what was going on in china with our scientific people than they disclosed to us when this first came out just think of it if this laboratory turns out to be the place where the virus came from we paid for it we paid for the damn virus thats killing uswhile giuliani placed the blame on fauci who has been the director of the national institute of allergy and infectious diseases since 1984 it is not clear what oversight he had in the funding decisions the niaid did award 37 million in grants to ecohealth alliance to study the risk of future coronavirus cov emergence from wildlife using indepth field investigations across the humanwildlife interface in china at wet markets but not all of that funding went to the lab in wuhan\npresident trump has been asked about the matter and blamed the obama administration for the donation saying who is president then i wonder however the funding was approved from 2014 to 2019 including 700000 that was awarded under the trump administrationgiuliani called for an investigation into the wuhan laboratory saying today if i were us attorney id open an investigation into the wuhan laboratory and id want to know what did we know how much did we know about how bad the practices were there who knew about it and who sent them money anyway and that person would sure as heck be in front of a grand jury trying to explain to me what are you asleep", + "https://www.washingtonexaminer.com/", + "FAKE", + 0.10384615384615385, + 436 + ], + [ + "“What are the odds?” – A timeline of facts linking COVID-19, HIV, & Wuhan’s secret bio-lab", + "having been permanently banned from twitter for sharing the publiclyavailable details of the man who ran the show as far a batsoup virology in wuhans supersecret biolab which is now a common talking point and rapidly shifting from conspiracy theory to conspiracy fact we thought a reminder of how we got here was in orderarticle by tyler durden republished from zerohedgecomscott burke ceo of cryptorelated firm groundhog unleashed what we feel may be the most complete timelines of facts to help understand the controversial links between covid19 and hiv and covid19 and wuhan institute of virologywant to go down a strictly factbased rabbit holehere is the full slightlyeditedforformatting twitter thread a disclaimer i am not a virologist this is me synthesizing what we have learned since the outbreak began and reviewing public scientific papers i believe each of the following statements is a solid fact backed up by a citation i also want to say that i understand some people are worried about blame being cast for this outbreak obviously we are all in this together and my intention here is not to cast blame these links overwhelmingly compel further scrutiny but are not conclusivei do think however that information is being downplayed and suppressed by some scientists and media outlets and its our duty to find out the facts about this virus do what we can to mitigate the outbreak and prevent it from happening againreadyso theres original sars which is a type of coronavirus sars infects cells through the ace2 receptor in hoststhe s spike protein plays a key role in how the virus infects cells each of the little spikes that surround the coronavirus is a spike protein or s protein thats what gives the coronavirus its name its crown of these spikesthe s protein binds to the targeted cell through the ace2 receptor and boom your cell is infected and becomes a virus replication factoryafter the first sars outbreak there was a land rush to find other coronaviruses a collection of sarslike coronaviruses was isolated in several horseshoe bat species over 10 years ago called sarslike covs or slcovs not sars exactly but coronaviruses similar to sarsin 2007 a team of researchers based in wuhan in conjunction with an australian laboratory conducted a study with sars a sarslike coronavirus and hiv1the researchers noted that if small changes were made to the s protein it broke how sarscov worked it could no longer go in via ace2 so they inferred the s protein was critical to the sars attack vector they also predicted based on the sace2 binding structure that sarslike covs were not able to use this same attack method ace2 mediationthey decided to create a pseudovirus where they essentially put a sarslike cov in a hiv envelope it workedusing an hiv envelope they replaced the rbd receptor binding domain of slcov with that of sarscov and used it to successfully infect bats through ace2 mediation12 years goes bya sarslike cov begins sweeping the globe that is far more infectious than previous outbreaksground zero for this outbreak not first human patient but first spreading event is considered to be wuhan seafood marketwuhan seafood market is 20 miles from the national biosafety laboratory at wuhan institute of virologyamidst the outbreak a team of indian bioinformatics specialists at delhi university released a paper preprint covid19 has a unique sequence about 1378 nucleotide base pairs long that is not found in related coronaviruses they claimed to identify genetic similarities in this unique material between covid19 and hiv1 specifically they isolated 4 short genetic sequences in key protein structures the receptor binding domain or rbdtwo of the sequences were perfect matches albeit short and two of the sequences were matched but each with an additional string of nonmatching material appearing in the middle of the sequencethe paper was criticized and numerous attempts have been made to debunk it after the criticism the authors voluntarily withdrew it intending to revise it based on comments made about their technical approach and conclusionsone key debunking attempt claims thisthe same sequences are found in a variant called betacovbatyunnanratg132013 which had been found in the wild in batsthis is an attempt to prove that it was not engineered but mutated naturally in the wildbut theres a problemthis strain was only known by and studied at the wuhan virology institute and although they claim it was discovered in 2013 it wasnt published or shared with the scientific community until immediately after the indian paper on january 27 2020the ratg13 strain publication and the hiv research paper from 2008 share an authori discovered this on my own by comparing the two papers and then quickly realized this scientists contact information was the information that zerohedge was suspended from twitter for sharingtheir article identifies this author in question including some contact information from the wuhan virology institute web siteyou can read the public comments and discussion of the original paper herethere is a line of inquiry about how the sequences are remarkably stable in between the bat cov and the ncov where in nature they would likely have mutated in between their shared evolution also a call for greater scientific evidence that the strain was collected in the wildhere is the only point in this thread where i will offer my opinion rather than a list of facts in light of all the previous facts the efforts to debunk the paper are not yet convincing in my view the ratg13 paper makes the claim that oh that hivrelated material you identified that happens to protein fold to become a perfect attack vector for ncov to attack ace2its a relative of this other secret virus which came from the wild which we forgot to tell the scientific community about until now for no reasonheres the secret virus it came from bats and heres the new virus see they have the same hivrelated sequences so batstotally not secret pathogen research which escaped the lab what are the odds that a sarslike coronavirus with overlapping genetics from hiv mutated and crossed over into humans next door to a laboratory which had been enhancing coronavirus with hiv for over a decade and conversely what are the odds it leaked out of the laboratoryfinally there is a great thread here by trevor bedford trvrb examining the evidence for and against with key replies challenging the conclusions made as welllets learn what do you think maybe im wrong can anyone disprove any of the links in the chain above one thing is for sure the science behind all this is fascinating but we need to make sure that if viruses are being secretly developed and accidentally released that we learn about that and do our best to make sure it doesnt happen again", + "http://www.Bioterrorism.news", + "FAKE", + 0.13433303624480095, + 1129 + ], + [ + null, + "coronavirus hoax fake virus pandemic fabricated to coverup global outbreak of 5g syndrome", + "Facebook", + "FAKE", + -0.16666666666666666, + 13 + ], + [ + null, + "the new coronavirus may not show signs of infection for many days how can you know if you are infected by the time you have fever andor cough and go to the hospital the lung is usually 50 fibrosis taiwan experts provide a simple selfcheck that we can do every morning take a deep breath and hold it for more than 10 seconds if you do this successfully without coughing without discomfort stiffness or tightness there is no fibrosis in the lungs it basically indicates no infection in critical times please selfcheck every morning in an environment with clean air", + "Taiwan Experts", + "FAKE", + 0.22255892255892254, + 100 + ], + [ + "Is 5G a Deadly Trigger for the Coronavirus?", + "the uneven spread of the novel coronavirus around the world was clustered in several hot pockets while leaving other areas with scant outbreaks this pattern developed in china with the epicenter of wuhan city in hubei province owning at one time more than 99 of the cases and deaths over the rest of the country of 14 billion peopleoutside the mainland taiwan and hong kong have not experienced the runaway infections or deaths that china did with the latter twice experiencing the restart of last years protests although the coronavirus spread fast in south korea and japan in the beginning both outbreaks were extinguishedin south korea the vectors for two of the countrys four clusters came from a wuhan branch of a cult church and a catholic church pilgrimage returning from israel since then south korea has moved aggressively to defuse new clusters by radically testing people and disinfecting mass transit systems daily with more than 9100 cases and 126 deaths and with onethird recovered korea has fewer cases and deaths than new york city today south korea also boasts the fewest number of new coronavirus cases according to the bbcjapan took a different route with the novel virus japan has only 1200 cases and 130 deaths a total of 712 infections came from one supercluster in the diamond princess cruise ship docked in yokohama thats more than half of the entire countrythe international olympic committee recently canceled the tokyo summer olympics the cancellation isnt due to the outbreak in japan but likely from so many nations battling the virusthe new epicenter of northern italyin march the covid19 outbreak shifted from china to northern italy soon after the entire nation of 60 million was placed under strict quarantine social distancing turned into permission slips to leave ones home despite the containment efforts the virus hit italy very hard it emptied streets stopped life as italians knew it while killing more than 7500 people out of 75000 total infectedon the first weekend of spring images emerged from italy showing similar scenes of horror scenes that were eerily reminiscent of wuhan people walking down the street collapsing dead without any external force dozens of such videos and photos showed the fallen people spread eagle flat on their backs face down on sidewalks lifeless no blood splatter outside of one similar case in new york city no other place in the world has produced such anomalieswhywhat causes people who appear to be fit to keel over without a seizure or to tremble suddenly what is the underlying cause and what makes wuhan and northern italy different than other parts of the world so different that covid19 kills people with no apparent explanationwhy wuhanin 2018 chinas ministry of industry and information technology selected wuhan as a pilot city for the made in china 2025 plan the overarching goal aimed at the industrial city of 11 million to become the worlds internet of things mecca the goal a 5g smart city that would connect homes offices hospitals factories and autonomous vehicles via a digital fabricrenowned for its factories and severe pollution the chinese communist party ccp envisioned elevating wuhan as the global smart city of the future all of the commands controls data sharing and data flowing through artificial intelligence systems would showcase china as the preeminent digital leader of the world\nat the center of the plan the chinese telecom syndicate of zte huawei hubei mobile and china unicom began to transform wuhan into a giant 5g hot spot for wireless technology the 5g launch in the hubei capital city culminated with the october 2019 military world games wuhan activated 20 of its 10000 5g base stations and the rest by the end of the year with the hottest 5g pilot city on the planet the ccp planned to leverage the publicity to attract more foreign investment and lure international businesses to prop up chinas flagging economythen disaster strucka new pneumoniain middecember just six weeks after the military games concluded the first cases of a new pneumonia started to show up in area hospitals over 72 hours through new years day scientists decoded the novel virus on january 2 wuhan notified the ccp and the peoples liberation army pla about the outbreak the two governing bodies of the peoples republic of china took precautions for their leaders personnel and buildings instead of telling the world about the outbreak the regime kept it under tight control three weeks after sequencing the virus xi jinping finally made his first public comment about the discovery of covid19 and the epidemic ravaging wuhanby then the epidemic erupted out of control millions became infected and tens of thousands in hubei died these numbers far exceeded the official numbers claimed by the ccp and supported by the world health organization whoat its height many leaked videos showed people falling collapsing or sprawled dead in the streets of wuhan nowhere else in the infected areas of china did similar scenes show that type of deaththen a clinical study comparing imported cases of covid19 in jiangsu province by jian wu et al discovered a key finding between wuhan and jiangsu patients\ncompared with the cases in wuhan the cases in jiangsu exhibited mild or moderate symptoms and no obvious gender susceptivity the proportion of patients having liver dysfunction and abnormal ct imaging was relatively lower than that of wuhanso what was the underlying cofactor that separated wuhan from all other areas in china and what was the factor that was making the virus more virulentbody bagswhile the who praised chinas response to the outbreak only in wuhan did the police weld infected people in their apartments to die only in wuhan did they burn bodies beyond the capacity of the crematoriums only in wuhan did the regime receive accusations of burying the dead in body bags under cover of the nightin looking for a cofactor several outlets suggest wuhans acute pollution was to blame for the virus death toll others theorized that a vaccine trial primed a subset of citizens making them more vulnerable to covid19 in the former there are many other cities in asia as polluted that didnt experience the same corona clusters while in the latter no new vaccine trials were launched in wuhan in 20195g microwave effects at 60ghzin 2001 shigeaki hakusui then president of harmonix corporation explained why fifthgeneration wireless technology was needed to reach the goal of creating smart cities he said it would require bandwidth and efficiency to meet the data demand as the internet moved toward mobile technology that was two decades agohakusui noted that 60ghz was the true radiofrequency that would allow for reliable transmission of data due to its 98 percent oxygen absorption rate this allows the invisible signals to travel from point a and b and back again on the same path superefficient and a technological milestonehakusui writessince the presence of o2 is fairly consistent at ground level its effect on 60ghz radio propagation is easily modeled for margin budgeting purposes also the high level of attenuation from oxygen absorption makes even the worst weatherrelated attenuation insignificant especially on the short paths where 60ghz systems operatehe stated unequivocally that 60ghz would deliver the last mile efficiently as the oxygen absorption makes possible the samefrequency reuse within a very localized region of air spacethe downside to 5g however is the lack of biological safety and health tests to support its global rollout even workers who installed 5g towers are burning them down does the electrification of the entire planet make sense do thousands of satellites being deployed where infrastructure doesnt exist such as the oceans make senseunsettling resultstesting 5g by trial and error has already produced some unsettling results they include the mass deaths of birds in the netherlands the cutting down of half of sheffield englands trees and strange illness clusters of children in some us schoolsmost people dont grasp or care that their wifi can send signals through drywall glass and concrete slabs just the same as beams go through the human body and with 5g a far more focused beam those signals have no trouble traveling through a personthe problem is for every breath we breathe our blood transports oxygen throughout the core extremities to the vital organs heart and brainif 5g at 60 ghz frequency zips through the air absorbing most of the oxygen disrupting the electrons that bind 02 molecules that combined with a hydrogen atom form water vapor what is that frequency doing to blood cells which consist primarily of water and carry the oxygendo the disruption of the bodys biorhythm breathing and oxygen distribution begin to explain what happens to the people who dropped deadmt everest death zonestudies of acute mountain sickness show that as climbers ascend in altitude they hit an endurance wall from a lack of oxygen at 4500 m 14764 feet the real amount of oxygen in the air composition is only 12 diluted which is approximately 60 of sealevel oxygen according to brazilian scientists who published a paper last yearhigher up the mountain in the death zone of mt everest climbers die due to severe hyperbaric hypoxia even with bottled oxygen as their blood coagulates in another view altitude sickness starves the brain of oxygenthat does stack up and explains the unusual scenes of wuhan citizens dying literally in the streets they keel over dead not shaking from a heart attack or seizure never resuscitatedmilan in northern italy is the 5g capital of europe iran where suspected millions have been infected has installed 5g deployments and sure enough the three princess line cruise shipsdiamond grand and now rubyhad geo and meo satellites beaming 5g down to the ships as they travel via a medallion net receiver system last autumnalthough south korea is a wirelessly connected nation it doesnt have the number of cases like other places in the world that does yet its third and fourth coronavirus clusters were in 5ghot gymnasium and hospitalas the anomalous deaths of people in wuhan and italy can attest society the telecom industry and government are long past due to study the health effects of 5g especially at the unlicensed 60ghz frequency", + "https://vaxxter.com/", + "FAKE", + 0.03880022144173086, + 1697 + ], + [ + "“What are the odds?” – A timeline of facts linking COVID-19, HIV, & Wuhan’s secret bio-lab", + "having been permanently banned from twitter for sharing the publiclyavailable details of the man who ran the show as far a batsoup virology in wuhans supersecret biolab which is now a common talking point and rapidly shifting from conspiracy theory to conspiracy fact we thought a reminder of how we got here was in orderarticle by tyler durden republished from zerohedgecomscott burke ceo of cryptorelated firm groundhog unleashed what we feel may be the most complete timelines of facts to help understand the controversial links between covid19 and hiv and covid19 and wuhan institute of virologywant to go down a strictly factbased rabbit holehere is the full slightlyeditedforformatting twitter thread a disclaimer i am not a virologist this is me synthesizing what we have learned since the outbreak began and reviewing public scientific papers i believe each of the following statements is a solid fact backed up by a citation i also want to say that i understand some people are worried about blame being cast for this outbreak obviously we are all in this together and my intention here is not to cast blame these links overwhelmingly compel further scrutiny but are not conclusivei do think however that information is being downplayed and suppressed by some scientists and media outlets and its our duty to find out the facts about this virus do what we can to mitigate the outbreak and prevent it from happening againreadyso theres original sars which is a type of coronavirus sars infects cells through the ace2 receptor in hoststhe s spike protein plays a key role in how the virus infects cells each of the little spikes that surround the coronavirus is a spike protein or s protein thats what gives the coronavirus its name its crown of these spikesthe s protein binds to the targeted cell through the ace2 receptor and boom your cell is infected and becomes a virus replication factoryafter the first sars outbreak there was a land rush to find other coronaviruses a collection of sarslike coronaviruses was isolated in several horseshoe bat species over 10 years ago called sarslike covs or slcovs not sars exactly but coronaviruses similar to sarsin 2007 a team of researchers based in wuhan in conjunction with an australian laboratory conducted a study with sars a sarslike coronavirus and hiv1the researchers noted that if small changes were made to the s protein it broke how sarscov worked it could no longer go in via ace2 so they inferred the s protein was critical to the sars attack vector they also predicted based on the sace2 binding structure that sarslike covs were not able to use this same attack method ace2 mediationthey decided to create a pseudovirus where they essentially put a sarslike cov in a hiv envelope it workedusing an hiv envelope they replaced the rbd receptor binding domain of slcov with that of sarscov and used it to successfully infect bats through ace2 mediation12 years goes bya sarslike cov begins sweeping the globe that is far more infectious than previous outbreaksground zero for this outbreak not first human patient but first spreading event is considered to be wuhan seafood marketwuhan seafood market is 20 miles from the national biosafety laboratory at wuhan institute of virologyamidst the outbreak a team of indian bioinformatics specialists at delhi university released a paper preprint covid19 has a unique sequence about 1378 nucleotide base pairs long that is not found in related coronaviruses they claimed to identify genetic similarities in this unique material between covid19 and hiv1 specifically they isolated 4 short genetic sequences in key protein structures the receptor binding domain or rbdtwo of the sequences were perfect matches albeit short and two of the sequences were matched but each with an additional string of nonmatching material appearing in the middle of the sequencethe paper was criticized and numerous attempts have been made to debunk it after the criticism the authors voluntarily withdrew it intending to revise it based on comments made about their technical approach and conclusionsone key debunking attempt claims thisthe same sequences are found in a variant called betacovbatyunnanratg132013 which had been found in the wild in batsthis is an attempt to prove that it was not engineered but mutated naturally in the wildbut theres a problemthis strain was only known by and studied at the wuhan virology institute and although they claim it was discovered in 2013 it wasnt published or shared with the scientific community until immediately after the indian paper on january 27 2020the ratg13 strain publication and the hiv research paper from 2008 share an authori discovered this on my own by comparing the two papers and then quickly realized this scientists contact information was the information that zerohedge was suspended from twitter for sharingtheir article identifies this author in question including some contact information from the wuhan virology institute web siteyou can read the public comments and discussion of the original paper herethere is a line of inquiry about how the sequences are remarkably stable in between the bat cov and the ncov where in nature they would likely have mutated in between their shared evolution also a call for greater scientific evidence that the strain was collected in the wildhere is the only point in this thread where i will offer my opinion rather than a list of facts in light of all the previous facts the efforts to debunk the paper are not yet convincing in my view the ratg13 paper makes the claim that oh that hivrelated material you identified that happens to protein fold to become a perfect attack vector for ncov to attack ace2its a relative of this other secret virus which came from the wild which we forgot to tell the scientific community about until now for no reasonheres the secret virus it came from bats and heres the new virus see they have the same hivrelated sequences so batstotally not secret pathogen research which escaped the lab what are the odds that a sarslike coronavirus with overlapping genetics from hiv mutated and crossed over into humans next door to a laboratory which had been enhancing coronavirus with hiv for over a decade and conversely what are the odds it leaked out of the laboratoryfinally there is a great thread here by trevor bedford trvrb examining the evidence for and against with key replies challenging the conclusions made as welllets learn what do you think maybe im wrong can anyone disprove any of the links in the chain above one thing is for sure the science behind all this is fascinating but we need to make sure that if viruses are being secretly developed and accidentally released that we learn about that and do our best to make sure it doesnt happen again", + "https://www.naturalnews.com/", + "FAKE", + 0.13433303624480095, + 1129 + ], + [ + null, + "regarding the wuhan coronavirus stephen buhner has done extensive research on coronaviruses he has treated them very successfully using his protocols a few days ago he posted on facebook a 4 part protocol specific for the wuhan outbreak the last few days i have been working very hard to set up a website coronavirusdefensecom up to sell mr buhners protocol with active infection very strong boneset tea to 6x day i have used this with other corona virus infections including sars it works wellas the deadly cornavirus sic rapidly spreads across the globe with no antidote available stephen harrod buhner has created an updated coronavirus protocol specifically for the wuhan outbreak formula 4 loose leaf tea\nboneset\nonly use if infected\nacute dosage 1 cup 6x day\nchronic dosage 2 cup 4x day\nantiviral action each 100 ml of product will last 16 days for a preventative dose and 8 days for an infection dosage take extracts 1 through 3 as preventative if you are infected take all 4 products and use the infection dosage", + "vivifyholistic.ca", + "FAKE", + 0.07787707390648568, + 175 + ], + [ + "Coronavirus -Evidence that the Covid-19 might have originated in the United States.", + "japanese and taiwanese epidemiologists and pharmacists have determined that the new coronavirus almost certainly originated in the united states given that this country is the only one to have all five typical pathogens found in the virus it is therefore likely that the original source of the covid19 was the biowar lab in fort detrick maryland", + "http://www.egaliteetreconciliation.fr", + "FAKE", + 0.07985466914038343, + 56 + ], + [ + "clinic's approach to the virus mimics its same approach to different strains of the flu — a high dose shot of vitamin D3 and IV infusions of vitamin C megadoses", + "if you have a flulike disease im just gonna treat you with vitamin c im not gonna swab your nose to see if you have influenza a or b i dont care the treatment is actually the samevitamin c regimen consists of an iv treatment of 15000 milligrams a day 166 times the recommended daily amount for menalso offers shots of 100000 iu vitamin d3 to treat the coronavirus a dose 160 times the recommended daily dose", + "YouTube", + "FAKE", + 0.025, + 77 + ], + [ + "helicopters being used to spray disinfectants into the air to eradicate the coronavirus", + "tonight from 1140 pm nobody should be on the street doors and windows should remain closed as 5 helicopters spray disinfectants into the air to eradicate the coranavirus please process this information to all of your contacts", + "Facebook", + "FAKE", + -0.1, + 37 + ], + [ + "Robert F. Kennedy Jr. warns that Anthony Fauci is a fraud, and has “poisoned an entire generation of Americans”", + "during a recent episode of the thomas paine podcast robert f kennedy jr blew the lid on dr anthony faucis extensive legacy of fraud and coverups throughout his lengthy medical career in the federal governmentkennedy explained that fauci has been a problematic character all throughout his more than 50year tenure in public health during which he operated as a workplace tyrant and ruined the careers of countless physicians and researchers who unlike himself were upstanding and honorable individualsfauci has been with the national institute of allergy and infectious diseases niaid since 1984 can you say deep state and hes known among those on the inside as the guy who poisoned an entire generation of americans according to kennedyin at least one instance fauci targeted a whistleblower who was trying to expose the fact that americas blood supply is tainted with deadly disease strains fauci ruined the career of this physician and proceeded to cover up his crucial research on the subjectkennedy also warned during the program that fauci has attacked many other good guys whove tried to actually serve the public rather than shill for big pharma bill gates the mainstream media and other deep state assets and mouthpieces of deception and liesthe entire thomas paine podcast episode which is a little more than twoandahalf hours long is available at this linkalso be sure to check out the following episode of the health ranger report in which mike adams the health ranger talks about how globalists like anthony fauci are using the wuhan coronavirus covid19 crisis to test how much tyranny americans are willing to acceptanthony fauci owns many many patents on vaccines warns kennedyfauci is also guilty of abusing his post for financial gain in the form of obtaining lucrative vaccine patents doctors and researchers underneath him who developed breakthrough technologies have been fired so that fauci could assume ownership of their work in order to enrich himselftony fauci has many many vaccine patents kennedy contends noting that fauci now owns a patent on a special protein sheet made from hiv that helps to more efficiently deliver vaccine material throughout the body fauci didnt develop this protein sheet himself of course but rather stole it from someone else who was relieved from duty after creating ittony fauci fired this person and he somehow ended up owning that patent kennedy says and that patent is now being used by some of these companies to make vaccines for the coronavirus that company has a 5050 split with tony faucis agency so faucis agency will collect half the royalties on that vaccine and theres no limit for how much the agency can collectin other words this is nothing but a business for people like fauci who are profiting off of pandemics like the wuhan coronavirus covid19 while claiming to be regulating the drug and vaccine industries that respond to them on behalf of the american people\nthis isnt a captured industry its a subsidiary of the pharmaceutical industry kennedy further warns about how the niaid the cdc and other supposed federal agencies are really just corporations in disguise that work on behalf of big pharma to generate massive profits on the backs of sick and dying peopleyoull want to listen to the full podcast in its entirety or at least the second hourandahalf of it featuring robert f kennedy jr because its a real eyeopener a second source for listening to the podcast in case the first one doesnt work is available at this link", + "https://www.naturalnews.com/", + "FAKE", + 0.096086860670194, + 583 + ], + [ + null, + "donating blood requires that you be administered a free test for the covid19 a disease caused by the coronavirus", + null, + "FAKE", + 0.4, + 19 + ], + [ + null, + "an unfounded conspiracy theory and prokremlin disinformation narrative about the ongoing coronavirus pandemicthe first cases of covid19 were reported in china in the city of wuhan on december 31 on that day china alerted the who about several cases of pneumonia from an unknown cause some of those infected worked at the citys huanan seafood wholesale market which is believed to be the place where the new disease originated very quickly the number of those infected rose to over 40on january 13 the coronavirus was confirmed in thailand in japan on january 16 and in north korea and the united states on january 20 in japan the first case of coronavirus was confirmed in a resident of kanagawa prefecture who had travelled to wuhan at the beginning of januarythe first case in italy was confirmed on january 30 when two chinese tourists in rome tested positive for the virus a week later the third case was confirmed in an italian man who was repatriated back to italy from wuhan", + "https://euvsdisinfo.eu/", + "FAKE", + 0.20260942760942757, + 169 + ], + [ + "“CORONAVIRUS” DEATHS IN ITALY MIGHT HAVE BEEN CAUSED BY COMMON FLU", + "could it be that among the italian coronavirus deaths there were also common flu victims as the affected victims are mostly elderly with respiratory preconditions also symptoms are very similar between coronavirus and the common flu and nobody questions and checks the official authorities narrative", + "https://southfront.org/", + "FAKE", + -0.019999999999999997, + 45 + ], + [ + "US Army Colonel (Ret.): \"Yes, The COVID-19 Pandemic Could Have Originated In A Chinese Lab...\"", + "lets be clear although there have been many attempts to do so by scientists worldwide so far no one knows the origin of covid19 the coronavirus strain responsible for the global pandemiccovid19 has several unique features such as highaffinity human angiotensinconverting enzyme2 ace2 receptor binding a furin polybasic cleavage site and certain open reading frame derived proteins all of which come together in a single organism to create an extremely contagious and often deadly viruscovid19 is the seventh member of the family of coronaviruses that infect humans although the sarscov coronavirus responsible for the 20022003 pandemic also binds to the human ace2 receptor none of the previouslyidentified humaninfecting coronavirus strains is sufficiently similar to covid19 to be designated its immediate relative or progenitorof the comparisons made between covid19 and all of the other potential progenitors including those identified in an article muchcited by the main stream media none possess the furin polybasic cleavage site which potentially makes it a marker in the search for the origin of covid19 if other structural similarities are also presentmuch like the climate change debate there appears to be a politicallymotivated campaign to demonstrate that covid19 occurred naturally as a species jump from animals to humans originating in the wuhan wet market despite an extraordinary effort mainly by the chinese government and a flood of publications there is still little evidence that directly supports that contentionan alternative interpretation is that covid19 leaked out of a wuhan laboratory either as a yet undescribed or not fully sequenced natural coronavirus isolate eg bat coronavirus btcov4991 genbank kp876546 or as one manufactured by combining the properties of multiple viruses and subjected to a sequential passage of the recombinant through live animal hostsit is important to note that deadly viruses have previously leaked out of chinese virology labs in two separate incidentsa 2004 outbreak of severe acute respiratory syndrome sarscov in china involved two researchers who were working with the virus in a beijing research lab the world health organization who said on april 26 2004 and confirmed by the us centers for disease controlsynthetic biology that is the engineering of biology to create biologicallybased systems that do not exist in nature is now widely used in laboratories worldwide it has a number of benefits including as a rapid response platform to provide treatments for emerging diseasesif unregulated however such bioengineering can produce combined or chimeric novel human pathogenic microorganisms capable of circumventing therapeutics or vaccines and if released in nature could have dramatic and permanent effects on disease transmission among species via naturaloccurring mutations of the new viral entitythe technology to create a coronavirus chimera has been demonstratedin a 2015 collaborative study between the wuhan institute of virology and american scientists funded by the national institutes of health properties of two different viruses the shc014cov coronavirus and a mouseadapted sarscov the coronavirus responsible for the 2002 pandemic were combined as a chimera it produced a new viral entity shc014ma15 which according to the authors despite predictions from both structurebased modeling and pseudotyping experiments unexpectedly was viable and replicated to high titers a lot in cell culture vero cells and was capable of infecting human airway epithelial hae cultures human lung surface cells and showed robust replication comparable to the epidemic sarscov urbani strainthat is with the appropriate starting coronavirus strains it is theoretically possible to manufacture a covid19like chimeragiven the illness death and economic destruction caused by covid19 it is the responsibility of the chinese government to fully open its research files and databases to international inspection including information about the hundreds of coronavirus isolates in order to ascertain the true origin of the chinese covid19 coronavirus", + "https://www.zerohedge.com/", + "FAKE", + 0.07208118600975744, + 609 + ], + [ + "COVID-19 – THE FIGHT FOR A CURE: ONE GIGANTIC WESTERN PHARMA RIP-OFF", + "a few days ago dr tedros the director general of the world health organization who repeated what he said already a few weeks ago that there are about 20 pharmaceutical laboratories throughout the world that are developing a vaccine for the novel coronavirus named covid19 also called 2019ncov or sarscov2 for the layman it is just a stronger mutation of the severe acute respiratory syndrome sars virus that broke out in 2002 2003 also in china to be sure a mutation made in a laboratory in a us highsecurity biological warfare laboratory in other words both sars and covid19 among many other biowar agents were made in the usand now the chaotic westernstyle race of private corporations for a vaccine wanting to outdo one another has begun\nwho is first to develop a vaccine its a fierce competition to establish a patent a monopoly for a possibly multi trilliondollar business its western neoliberal capitalism at its very worst or best depending on the angle from where one looksthere are no words to describe this chaotic fever for profit over human wellbeing it has nothing to do with health with healing sick and suffering possibly dying people its all about money hundreds of billions if not trillion of profit for the pharmaceutical oligarch and their associated research laboratories and enterprises and even more so if the whodeclared pandemic sic will prompt a forced vaccination campaign enhanced by military and police surveillancelets put covid19 in context as of 23 march 2020 1833 gmt and according to who statistics reported worldwide cases are 372572 deaths 16313 recovered 101373 a death rate of 437 however these figures must be considered with caution in many countries especially developing economies accurate testing may be a problem test kits are often not available or not reliable so may people who go to the doctor with some flu symptoms are possibly falsely diagnosed as covid19 victims as it serves the publicity hypemiscalculations and false reporting may even occur in the united states mr robert redfield ceo of the us center for disease control cdc testified before congress that cdc does no longer carry out regular tests that these were carried out at statelevel and only in extreme cases see also this reference form the la times of california measures and directivesby comparison the us cdc estimates that in the 2019 2020 flu season in the us alone some 38 to 54 million people may catch the common flu and 23000 to 59000 may die from it the vast majority of these deaths will be elderly people above 70years of age and many of them with prehealth conditions and or preexisting respiratory problems this is pretty much the same disease and death pattern as with covid19 expanding these common flu figures linearly on a worldwide scale would result in hundreds of thousands of flu deaths in the particularly strong 20172018 us flu season an estimated 60000 people died from the flu in the us alone the reader may himself judge whether who was justified declaring covid19 a pandemic or whether there may have been just perhaps another agenda behind itthe vaccine that might eventually be applied to covid19 may most likely no longer be valid for the next coronavirus outbreak which also according to mr redfield cdc will most probably occur a later virus may most certainly have mutated its quite similar to the common flu virus in fact the annually reoccurring common flu virus contains a proportion of 10 to 15 some times more of coronaviruses\nthe effectiveness of the annual flu vaccines is on average less than 50 not to mention all the potential harmful side effects they carry along covid19 is very similar to influenza will a corona virus vaccine be equally weak in protecting a potential patient from a future infectioncooperation instead of competition doesnt occur in the west its all profitdriven with a number of different vaccines from different pharma giants coming on the market who will tell the patient which one is the best most suitable for the patients condition it smells like an utter chaotic scamthe real question is are vaccines or a vaccine even necessary maybe maybe not the production of vaccines is pushed for profit motives and for an important political agenda for a new world order that has been planned to change human life as we know it or thought we knew it see further explanations belowvaccines dont heal they may prevent the virus from hitting as hard as it might otherwise do or not at all depending on the age physical and health condition of a person worldwide statistics show that usually a person up to the age of 40 or 50 who is infected by the covid19 has none or only slight symptoms nothing to worry aboutshould symptoms show up staying home resting and using traditional ageold medicine the same that might be used for the common flu might be enough to get rid of the virus this might resolve the disease within one or two weeks then the person will be naturally vaccinated against this strand of coronavirus elderly people above 65 or 70 may be more at risk and special attention may be in order separated from crowds isolation during a twoweek quarantine the incubation period while the rest of society goes on with life as normal as possible thereby reducing the huge cost to societychina has brought the covid19 pandemic under control without a vaccine but using common sense and traditional rather inexpensive medication what are these regular medicines that are effective and have helped to bring covid19 under control in china without a vaccinethe childrens health defense the childrens defense fund cdf an american ngo founded 1973 by robert f kennedy jr depicts the current power struggle in france between health official and the countrys leading experts in virology as representative for the worldwide fight between corporate pharma supported by bought governments and international organizations such as who and renowned scientists if laid open it is an eyeopener see full cdf studyfrench professor didier raoult who is one of the worlds top 5 scientists on communicable diseases argued that the approach of mass quarantine is both inefficient and outdated and that largescale testing and treatment of suspected cases achieves far better resultsearly on dr raoult suggested the use of hydroxychloroquine chloroquine or plaquenil a wellknown simple and inexpensive drug also used to fight malaria and that has shown efficacy with previous coronaviruses such as sars by midfebruary 2020 clinical trials at his institute and in china already confirmed that the drug could reduce the viral load and bring spectacular improvement the chinese scientists published their first trials on more than 100 patients and announced that the chinese national health commission would recommend chloroquine in their new guidelines to treat covid19in addition china and cuba are working together with the use of interferon alpha 2b a highly efficient antiviral drug developed in cuba some 39 years but little known to the world because of the us imposed embargo on anything from cuba interferon has also proven to be very effective in fighting covid19 and is now produced in a jointventure in china\nchinese researchers in cooperation with cuban scientists are also developing a vaccine which may soon be ready for testing in contrast to the west working exclusively on profitmotives the chinesecuban vaccine would be made available at low cost to the entire worldother simple but effective remedies include the use of heavy doses of vitamin c as well as vitamin d3 or more generally the use of micronutrients essential to fight infections include vitamins a b c d and eanother remedy that has been used for thousands of years by ancient chinese romans and egyptians are colloidal silver products they come in forms to be administered as a liquid by mouth or injected or applied to the skin colloidal silver products are boosting the immune system fighting bacteria and viruses and have been used for treating cancer hivaids shingles herpes eye ailments prostatitis and covid19\nyet another simple and inexpensive remedy to be used in combination with others is mentholbased mentholatum its used for common flu and cold symptoms rubbed on and around the nose it acts as a disinfectant and prevents germs to enter the respiratory tracknorthern italy and new orleans report that an unusual number of patients had to be hospitalized in intensive care units icu and be put 247 on a 90 strength respirator with some of them remaining unresponsive going into respiratory failure the reported death rate is about 40 the condition is called acute respiratory distress syndrome ards that means the lungs are filled with fluid when this description of ards episodes applies dr raoult and other medical colleagues recommend covid19 patients to sleep sitting up until they are cured this helps drain the liquid out of the lungs the method has been known to work successfully since it was first documented during the 1918 spanish flu epidemicas you may expect if you look up any of these alternative cures on internet internet controlled by google and the big corporatocracy including the pharmaceuticals will logically advise you against using them at best they will tell you that these products or methods have not proven effective and at worst that they may be harmful dont believe it none of these products or methods are harmful remember some of them have been used as natural remedies for thousands of years and remember china has successfully come to grips with covid19 using some of these relatively simple and inexpensive medicationsunfortunately few doctors are aware of these practical simple and inexpensive remedies they are safe and more often than not successful the media under pressure from the pharma giants and the compliant government agencies have been requested to censoring such valuable information the negligence or failure to make such easily accessible remedies public knowledge is killing peoplenow lets cut to the chase to whats behind it all behind the extraordinary monstrous media propaganda hype that is bringing down the entire western worlds socioeconomic system creating untold misery famine and death a misery with suffering potentially by orders of magnitude worse than the big depression of 1928 1929 and the subsequent yearsif anybody had any doubts up to now where the virus originated the truth was dropped surreptitiously a slip of the tongue or on purpose by secretary of state mike pompeo when he addressed the nation on 21 march on covid19 he said this is not about retribution we are in a live exercise here meaning military exercise or a war gamepresident trump by pompeos side was whispering you should have let us know whatever that means its hard to believe that mr trump didnt know but these are the vagaries of american politics even on a deathserious subject like the new coronavirus breakout see here with a brief video see this alsothis live military exercise has unimaginable worldwide implications which may completely transform our lives its economic warfare almost every country on this planet is on some kind of a lockdown a quarantine of sorts for an as of yet undetermined period with businesses closed shops and restaurants shot construction sites halted people working from home if they can being in the streets is forbidden in many countries under police and military surveillance with cases of people being beaten up and handcuffed if they have no good explanationthe president macroninspired french police is especially known for its uncontrolled brutality fighting the yellow vests they have already demonstrated their same despise for their fellow citizens when they are in the streets even food shopping without a special permitborders are shot airlines are grounded tourism comes to a screeching halt basically from one day to the other stranded throughout the world with a few exceptions germany and france are rare ones they organize return flights for their citizens abroad otherwise with uncertain flight departures overbooked and overcrowded flights the stranded tourists have hardly a chance to return home soonthe socioeconomic cost is astronomical in the multiquadrillion or quintillion numbers with so many zeros they make you dizzy this calamity can only partly be valued with numbers and not now as the worlds lockdown continues with a social cost that cannot be valued the dive of the stock market by about 30 a typical bonanza for forward speculators and big finance big banking with multitrilliondollar losses for the small investorsmillions if not hundreds of millions of small and medium size businesses going broke unemployment going rampant in the hundreds of millions throughout the world and the poorest of the poor especially in developing countries who are either unemployed or survive on small hourly or daytoday jobs they have no income cannot buy the basics for survival some of them may die from famine others may commit suicide others convert to crime this is greece by a factor of thousand or worsethen there is a moral and societal breakdown from a forced quarantine for which there is no clear end in sight this creates fear and anxieties frustration and anger for many its like solitary confinement all of which is bad for health and lowers the immune defense system just what those who pull the strings wantso whom does this live military exercise serve first one would assume its destined to break chinas back as china is the upandcoming economic power it is true chinas economy has suffered enormously with about 60 to 70 of all production stopped for the first two months this year the time of the covid19 outbreak and peak meaning a significant plunge of chinas gdp maybe as much as 40 for january and february 2020however china has the corona virus now firmly under control and china being china her economy is recovering fast and may soon be back to what it was in december 2019 in fact despite the significant impact of covid19 chinas economy may soon overtake that of the selfstyled empire the united states of america chinas currency the yuan is solidly backed by a strong economy and by gold and is slated to become the worlds chief reserve currency replacing the usdollar which had that role for the last 100 years when that happens the us hegemony is doomedit goes without saying our monetary system is planned to be fully electronic no more cash cash is poison or as whos director general recently warned not verbatim but with that meaning cash is dangerous for infections paper money and coins may carry deadly viruses thereby paving the way for full digitization of our monetary system this has indeed already been tested over the past few years mainly in scandinavian countries where entire department stores refuse to accept cash in response to the who dgs recommendation some shops and restaurants in germany refuse to accept cashthe universal vaccination and electronic id go together and will first be tested in a few developing countries bangladesh is one of them the vaccination program is the platform for the megachanges the new world order now or the one world order owo wants to bring about this in addition to the enormous moneymaking bonanzaan almost unknown agency called agenda id2020 is behind all this monitoring directing and adjusting the implementation of the various programs that are supposed to eventually lead to full spectrum dominance for more details see also the recent article on the dangers of agenda id2020behind this elaborate and complex network of things appears time and again one prominent name bill gates the bill and melinda gates foundation bill gates has been funding vaccination programs in africa for decades and bill gates and the rockefellers make no secret that one of their ultimate goal for planet earth is a drastic population reductionabstract of agenda id2020agenda id2020 is an alliance of publicprivate partners including un agencies and civil society its an electronic id program that uses generalized vaccination as a platform for digital identity the program harnesses existing birth registration and vaccination operations to provide newborns with a portable and persistent biometricallylinked digital identitygavi the global alliance for vaccines and immunization identifies itself on its website as a global health partnership of public and private sector organizations dedicated to immunization for all gavi is supported by who and needless to say its main partners and sponsors are the pharmaindustrythe id2020 alliance at their 2019 summit entitled rising to the good id challenge in september 2019 in new york decided to roll out their program in 2020 a decision confirmed by the wef in january 2020 in davos their digital identity program will be tested with the government of bangladesh gavi the vaccine alliance and partners from academia and humanitarian relief as they call it are part of the pioneer partyis it just a coincidence that id2020 is being rolled out at the onset of what who calls a pandemic or is a pandemic needed to roll out the multiple devastating programs of id2020how the vaccination research and production is supposed to workhow will this elaborate and complex business of creating vaccines and implementing vaccine campaign work as most official activities that basically are government responsibilities are privatized and outsourced they become complex chaotic at times and inefficient in the case of the west the us pretends to take the lead but will also assign responsibilities to european pharmalabsthe national institute of health nih has overall responsibility for national health research and program implementation nihs director is anthony fauci the institute was created in 1955 under nih the national institute of allergy and infectious diseases niaid one of 27 institutes reporting to nih is responsible for vaccination programs niads mission is to conduct basic and applied research to better understand treat and prevent infectious immunologic and allergic diseases niad has outsourced the vaccination program to the coalition for epidemic preparedness innovations cepicepi was formed by the wef world economic forum in davos in january 2017 it was founded by the bill and melinda gates foundation bmgf and the londonbased welcome trust created in 1936 but including now as members several european countries and the european union eu the bmgf made a first infusion to cepi of us 460 million cepi also receives funding from norway and india and is also heavily supported by the pharmaindustryaccording to cepis website cepi has appealed for us 2 billion to support the development of a vaccine for covid19 and to expand the number of vaccine candidates to increase the chances of success and to fund the clinical trials for these candidate vaccines cepis ambition is to have at least three vaccine candidates which could be submitted to regulatory authorities for licensing for general useuse in outbreaksgovernments around the world will need to invest billions of euros more in coronavirus vaccine development to take forward some promising candidates that are emerging its a very risky business everything is being done in parallel youre not building on the expertise of others but good progress is being made said melanie saville director of vaccine research and development at cepicepi has already some preselected international pharma corporations to research and work on a covid19 vaccine they include the biotech moderna in seattle not far from the microsoft headquarters also a bill gates creation the biotech lab inovio the university of queensland australia and the germans biontech and curevacrom the outset it looks that moderna curevac and biontech are best suited to produce fast a vaccine because according to a health and science report published on march 17 2020 all three of these firms specialize in messenger rna mrna therapeutics these mrna molecules are used to instruct the body to produce its own immune response to fight a range of different diseases this type of vaccine can potentially be developed and produced more quickly than traditional vaccinesenters gavi the global alliance for vaccines and immunization has also been created by the bill and melinda gates foundation it is a global health partnership of public and private sector organizations dedicated to immunization for all gavi is supported by who and needless to say its main partners and sponsors are the pharmaindustry gavi has already announced it needs billions of dollars to support its covid19 vaccination program in june 2020 the uk government will sponsor a donor conference in support of gavis covid19 vaccination program expecting to raise us 73 billionfrom this maze of overlapping organizations activities and unclear responsibilities the moneyflow is likely going to be a crisscross that nobody can follow accountability on a large scale will be lostas to the output hopefully a vaccine or several vaccines for the layman and potential patient it will be a matter of luck or bad luck what cocktail of biological substances will be injected into his or her body in any case the longterm outcome is unpredictable remember bill gates has been pursuing during the last fifteen or twenty years his own very special agenda it is unlikely he will abandon it now rather covid19 and the ensuing vaccination program will allow him to enhance itconcluding it is amply clear that this is a huge moneymaking and publicripoff proposition by the pharma industry what makes this multibilliondollar scam even worse is that it has an official rubberstamp by being supported by western governments and international organizations foremost who unicef and the world bankthis may be the last opportunity for the elite the 01 to shuffle social capital and worker funded assets from the bottom to the top before we enter an era of total control through electromagnetic fields emf managed by the minions of the 01 and with 5g 6g technology where we the remaining humans may have become mere teleguided robotsit is by now a pipe dream to believe that the world may continue as it did until the end of the last decade it would be too much of a coincidence that agenda id2020 started activating its evil programs exactly at the beginning of the decade 2020 unfortunately it is also a faraway dream that china and cuba could lead the way for finding a cure for the most likely recurring coronavirus in one mutation or another including but not exclusively using traditional methods and remedies that have proven successful in the current battle to control covid19there are draconian measures on the way and we may just pray that they fail or that we the people awake in time and in sufficient numbers a critical mass and find back to our innermost voice and soul solidarity for each other that gives us strength to fight this luciferian monster\n", + "https://southfront.org/", + "FAKE", + 0.05917504605544954, + 3766 + ], + [ + "Luc Montagnier Insists That the Virus Came out of a Lab in Follow-Up Interview", + "professor luc montagnier independent researcher and 2008 nobel prize winner for medicine for his discovery of hiv was a guest of andré bercoff on thursday 30 april at sud radioprovoked a controversy a few weeks ago by expressing his doubts about the origin of the coronavirusnow an independent researcher the 2008 nobel prize in medicine defended his point of view that the coronavirus is man made in an interview by andré bercoff for him the most likely hypothesis is that the virus accidentally escaped from a laboratory in wuhanthe first infected werent in the marketluc montagnier a researcher specializing in viruses for a very long time was sometimes questioned but above all he was distinguished by the fact that he was a member of the panel of experts who discovered hiv in the midst of the pandemic the professor inevitably became interested in covid19 very quickly it is interesting to know its origins because we can derive new therapeutic tests from it and know what will happen to this epidemic in the future he explains\nthe official version of the appearance of the coronavirus says that the coronavirus started at the fish market in wuhan where animals carrying the virus were bought and eaten recalls luc montagnier this is a theory that does not correspond exactly to the reality of the facts he questions the first infected people were not in the market they were more likely to be near the nearby laboratory the professor emphasizesexperiments for over ten years\nin these laboratories chinese scientists have been working for more than ten years on coronaviruses transmitted by animals especially bats reports professor montagnier who regularly reviews published reports the experiments which began after the sars epidemic in asia in 2003 were carried out by the chinese scientists bats are considered healthy carriers and therefore carry many viruses he explains according to his hypothesis some of these researchers have tried to identify factors that could make these bats dangerous to humans they started with a very similar model but it was neither contagious nor pathogenic for humans because it had no receptor the professor suspectsluc montagnier hopes that one day scientists will say so themselves but at the moment we are in such a climate there are so many dead that nobody wants to carry this very heavy burden he admits another questionable problem is that one of these laboratories is financed by the united states and for quite a lot of money it is also a factor that explains why nobody wants to bring the truth to light regrets luc montagniermontagnier also discussed the presence of those hiv segments that are present in the novel coronavirus he admits although similar segments might be present in other viruses what remains highly suspicious is that all of these segments are all present in a small section of the coronavirus additionaly as the virus is mutating it seems to be mutating in those areas where the hiv segments were added according to him the altered elements of this virus are eliminated as it spreads nature does not accept any molecular tinkering it will eliminate these unnatural changes and even if nothing is done things will get better but unfortunately after many deaths", + "https://www.gilmorehealth.com/", + "FAKE", + 0.08117424242424243, + 539 + ], + [ + "Nutritional Treatment of Coronavirus", + "abundant clinical evidence confirms vitamin cs powerful antiviral effect when used in sufficient quantity treating influenza with very large amounts of vitamin c is not a new idea at all frederick r klenner md and robert f cathcart md successfully used this approach for decades frequent oral dosing with vitamin c sufficient to reach a daily bowel tolerance limit will work for most persons intravenous vitamin c is indicated for the most serious casesbowel tolerance levels of vitamin c taken as divided doses all throughout the day are a clinically proven antiviral without equal vitamin c can be used alone or right along with medicines if one so choosessome physicians would stand by and see their patients die rather than use ascorbic acid vitamin c should be given to the patient while the doctors ponder the diagnosis frederick r klenner md chest specialistdr robert cathcart advocated treating influenza with up to 150000 milligrams of vitamin c daily often intravenously you and i can to some extent simulate a 24 hour iv of vitamin c by taking it by mouth very very often when i had pneumonia it took 2000 mg of vitamin c every six minutes by the clock to get me to saturation my oral daily dose was over 100000 mg fever cough and other symptoms were reduced in hours complete recovery took just a few days that is performance at least as good as any pharmaceutical will give and the vitamin is both safer and cheaper many physicians consider high doses of vitamin c to be so powerful an antiviral that it may be ranked as a functional immunization for a variety influenza strainsdr cathcart writesthe sicker a person was the more ascorbic acid they would tolerate orally without it causing diarrhea in a person with an otherwise normal gi tract when they were well would tolerate 5 to 15 grams of ascorbic acid orally in divided doses without diarrhea with a mild cold 30 to 60 grams with a bad cold 100 grams with a flu 150 grams and with mononucleosis viral pneumonia etc 200 grams or more of ascorbic acid would be tolerated orally without diarrhea the process of finding what dose will cause diarrhea and will eliminate the acute symptoms i call titrating to bowel tolerancethe ascorbate effect is a threshold effect symptoms are usually neutralized when a dose of about 90 or more of bowel tolerance is reached with oral ascorbic acid intravenous sodium ascorbate is about 2½ times more powerful than ascorbic acid by mouth and since for all practical purposes huge doses of sodium ascorbate are nontoxic whatever dose necessary to eliminate free radical driven symptoms should be giventhe coronavirus in acute infections may be expected to be just as susceptible to vitamin c as all of the other viruses against which it has been proven to be extremely effective there has never been a documented situation in which sufficiently high dosing with vitamin c has been unable to neutralize or kill any virus against which it has been testedeven the common cold is a coronavirus a new opportunistic virus is a not a big surprise history is full of themflu pandemic of 19191920 about 10 million soldiers were killed in world war i 19141918 charging machine guns and getting mowed down month after month there were nearly a million casualties at the somme and another million at verdun a terrible slaughter went on for four years yet in just the two years following the war over 20 million people died from influenza that is more than twice as many deaths from the flu in onehalf the time it took the machine gunswith a centurys worth of accumulated scientific hindsight we must today ask this was a lack of vaccinations really the cause of those flu deaths or was it really wartime stress and especially warinduced malnutrition that set the stage in 1918 and now once again we have an alarming and rather similar scenario between nutrientpoor processed convenience foods mcnothing meals and tv news scare stories we have the basic ingredients for an epidemic\ninfluenza is a serious disease and historically has been the reapers scythe there is no way to make light of that it warrants a closer look at how the medical profession and government have approached different types of influenzain the mid1970s there was the colossal swine flu panic here is what the government of the united states said about the infamous swine flu vaccine in a 1976 massdistributed fda consumer memo on the subjectsome minor side effects tenderness in the arm low fever tiredness will occur in less than 4 of vaccinated adults serious reactions from flu vaccines are very raremany will remember the very numerous and very serious side effects of swine flu vaccine that forced the federal immunization program to a halt so much for blanket claims of safetyas far as being essential in the same memo the fda said this of the same vaccinequestion what can be done to prevent an epidemic answer the only preventive action we can take is to develop a vaccine to immunize the public against the virus this will prevent the virus from spreadingthis was seen to be totally false the public immunization program for swine flu was abruptly halted and still there was no epidemic if vaccination were the only defense one might expect that tens of millions of americans would have been struck down with the swine flu for a large percentage of the population of the us was not vaccinatedvaccines are being used as an ideological weapon what you see every year as the flu is caused by 200 or 300 different agents with a vaccine against two of them that is simply nonsense tom jefferson md epidemiologistrobert f cathcart md writes treatment of the bird flu with massive doses of ascorbate would be the same as any other flu except that the severity of the disease indicates that it may take unusually massive doses of ascorbic acid orally or even intravenous sodium ascorbate why the dose needed is somewhat proportional to the severity of the disease being treated is discussed in my paper published in 1981 titrating to bowel tolerance anascorbemia and acute induced scurvy i have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin c but it is possible that the bird flu may require even higher doses such as 150 to 300 grams a day additionally this flu could be primarily respiratory this means that hospitalization might be necessary if massive doses of ascorbate are not used they may not be adequate most hospitals will not allow adequate doses of ascorbate to be given\ninitial oral doses of ascorbic acid should also be massive i would suggest like 12 grams every 15 minutes until diarrhea is produced then however doses should be reduced but not much listen to your body if there are many symptoms keep taking doses that cause a little diarrhea you do not want constant runs because it is the amount you absorb that is important not the amount you put in your mouthbbc 9 april 2006 the chances of bird flu virus mutating into a form that spreads between humans are very low the governments chief scientific adviser has said sir david king said any suggestion a global flu pandemic in humans was inevitable was totally misleadingthe coronavirus outbreak in china seems to be due to a virus similar to sars severe acute respiratory syndrome which was also a coronavirus you may remember sars from 2002 i most certainly do as i was in toronto canada at the time smack in the middle of it i took a lot of vitamin c preventively and had zero symptomsthe common cold is a coronavirus and sars is a coronavirus so they are the same viral type david jenkins md professor of medicine and nutritional science university of toronto waiting for a vaccinewe have set up a situation where a fear is created and then we try to create the treatment for this fear the public gets the idea that the flu is going to kill them and the vaccine will save them neither is true marc siegel md author of false alarm the truth about the epidemic of fear robert f cathcart all this talk about a vaccine is too late a waste of time now especially when we know how to cure the disease already every flu i have seen so far since 1970 has been cured or ameliorated by massive doses of ascorbate all of these diseases kill by way of free radicals these free radicals are easily eliminated by massive doses of ascorbate this is a matter of chemistry not medicine the time has come to stop hiding our ability to treat these acute infectious diseases with massive doses of ascorbateideally however in serious cases this disease should be treated first with at least 180 grams or more of sodium ascorbate intravenously every 24 hours running constantly until the fever is broken and most of the symptoms are ameliorated if after a few hours that rate of administration does not have an obvious ameliorating effect the rate should be increasedwhat dosagevitamin c fights all types of viruses although the dose should truly be high even a low supplemental amount of vitamin c saves lives this is very important for those with low incomes and few treatment options for example in one wellcontrolled randomized study just 200 mgday vitamin c given to the elderly resulted in improvement in respiratory symptoms in the most severely ill hospitalized patients and there were 80 fewer deaths in the vitamin c group\nbut to best build up our immune systems we need to employ large orthomolecular doses of several vital nutrients the physicians on the orthomolecular medicine news service review board specifically recommend at least 3000 milligrams or more of vitamin c daily in divided doses vitamin c empowers the immune system and can directly denature many viruses it can be taken as ascorbic acid which is sour like vinegar either in capsules or as crystals dissolved in water or juice it can also be taken as sodium ascorbate which is nonacidic to be most effective it should be taken to bowel tolerance this means taking high doses several or many times each day see the references below for more informationnebulized hydrogen peroxide thomas e levy md viral syndromes start or are strongly supported by ongoing viral replication in the naso and oropharynx when appropriate agents are nebulized into a fine spray and this viral presence is quickly eliminated the rest of the body mops up quite nicely the rest of the viral presence the worst viral infections are continually fed and sustained by the viral growth in the pharynx probably the best and most accessible agent to nebulize would be 3 hydrogen peroxide for 15 to 30 minutes several times dailyan example of successful treatment by ascorbatechikungunya is a viral illness characterized by severe joint pains which may persist for months to years there is no effective treatment for this disease we treated 56 patients with moderate to severe persistent pains with a single infusion of ascorbic acid ranging from 2550 grams and hydrogen peroxide 3 cc of a 3 solution from july to october 2014 patients were asked about their pain using the verbal numerical rating scale11 immediately before and after treatment the mean pain score before and after treatment was 8 and 2 respectively 60 p 0001 and 5 patients 9 had a pain score of 0 the use of intravenous ascorbic acid and hydrogen peroxide resulted in a statistically significant reduction of pain in patients with moderate to severe pain from the chikungunya virus immediately after treatmentavailable evidence indicates that supplementation with multiple micronutrients with immunesupporting roles may modulate immune function and reduce the risk of infection micronutrients with the strongest evidence for immune support are vitamins c and d and zincadditional recommended nutrients magnesium 400 mg daily in citrate malate chelate or chloride form many people are deficient in magnesium because modern agriculture often does not supply adequate magnesium in the soil and food processing removes magnesium it is an extremely important nutrient that is essential for hundreds of biochemical pathways a blood test for magnesium cannot correctly diagnose a deficiency a longterm deficiency of magnesium can build up in the body that may take 6 months to a year of higher than normal doses to repletea very cheap and highly beneficial adjunct for any acute infection especially viral is oral magnesium chloride amazingly just as intravenous vitamin c has been shown to cure polio an oral magnesium chloride regimen has been shown to do the same thing as or even more effectively than the vitamin c\nmix 25 grams mgcl2 in a quart of water depending on body size tiny infant to an adult give 15 to 125 ml of this solution four times daily if the taste is too saltybitter a favorite juice can be addedvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 vitamin d is stored in the body for long periods but takes a long time to reach an effective level if you are deficient eg if you havent taken vitamin d and its near the end of winter when the sun is low in the sky you can start by taking larger than normal doses for 2 weeks to build up the level quickly the maintenance dose varies with body weight 4001000 iuday for children and 20005000 iuday for adultswilliam grant phd says coronaviruses cause pneumonia as does influenza a study of the casefatality rate from the 19181919 influenza pandemic in the united states showed that most deaths were due to pneumonia the sarscoronavirus and the current china coronavirus were both most common in winter when vitamin d status is lowesti have found the value of bolstering immune function with vitamin d to be incredibly powerful zinc is a powerful antioxidant and is essential for many biochemical pathways it has been shown to be effective in helping the body fight infections 2021 a recommended dose is 2040 mgday for adultsselenium 100 mcg micrograms daily selenium is an essential nutrient and an important antioxidant that can help to fight infections dr damien downing says swine flu bird flu and sars another coronavirus all developed in seleniumdeficient areas of china ebola and hiv in seleniumdeficient areas of subsaharan africa this is because the same oxidative stress that causes us inflammation forces viruses to mutate rapidly in order to survive when sedeficient virusinfected hosts were supplemented with dietary se viral mutation rates diminished and immunocompetence improvedbcomplex vitamins and vitamin a a multivitamin tablet with each meal will supply these conveniently and economicallynutritional supplements are not just a good idea for fighting viruses they are absolutely essential", + "http://orthomolecular.org/", + "FAKE", + 0.11390485652780734, + 2488 + ], + [ + "COVID-19: DO DRACONIAN MEASURES SIGNIFY A MOVE TO A TOTALITARIAN GLOBAL STATE?", + "is anyone else buying the official dogma excuse me narrativewhat were seeing quite clearly is a totalitarian system subversively imposed on us step by step yet like watching a magician who does his tricks right in front of his audience we cant see the sleight of hand first lockdowns happened in italy and france causing millions of people to live out a daily nightmare in deep fear fear of the virus with isolation being imposed upon themtoday ive just seen major announcements by the uk and south africa to lockdown those countries and i am currently in the uk for an initial three weekshaving watched some compelling evidence that we are going towards an orwellian state its vital to get the truth out there before we all accept this level of paranoia and fear as normalask yourself do you now accept as normal the heightened security military and police presence and the wearing of masks social distancing selfisolation and so on to what degree have you internalised this as the way it must bethe governments and faceless experts are making these draconian rules for everybody and we sorely need to question what these socalled experts say because they are part of the very system that created and spread the unnecessary fear just so the system can later do what it wants without any critical questioning of motivelooked at with a critical eye the ensuing panic and madness is helping to cement into our minds a different order of realitywe are being told not to question authority any longer and the narrative weve being fed is a constantly fearbased one with logic being used to justify the tightening of the proverbial noose around our necksin todays speech by the uk prime minister the public has been told they should only leave to go for exercise shopping for necessities medical reasons and travelling to and from work if neededweddings and baptisms should not go ahead can you imagine places of worship where people find solace together in god or a higher power has been banned as well from tonight only supermarkets convenience stores and pharmacies can be open and people will only be able to leave the house once a day to exercise and once to go to the shops well at least we can get out ehwe are being treated like criminals house arrest and the programming is so subversive because no one feels they can can go against it it is a matter of conscience now we will be destroying the nhs overloading those on the from line we will be spreading the virus and killing each other and being totally irresponsible and nobody wants thatlots of deep programming has now happened since january that has led us to accept our fate and were not even questioning the fact that these measures are continually destabilising our trust in our own bodies and worse each otherthe medical system is being made to look like god or at least a saviourdo you know anyone whos genuinely happy i dont any fleeting happiness is immediately overshadowed this is the biggest coup against humanity today is it not and its spinechillingly brilliantwould a government that truly cared about you be so controlling remember in an abusive relationship the victim often hates whats being done but stays anyway and quite perversely may love the abuse as a sign of lovesee the correlation just step backheres an excerpt of the uk pms speechpeople will only be allowed to leave their home for the following very limited purposesshopping for basic necessities as infrequently as possibleone form of exercise a day for example a run walk or cycle alone or with members of your household any medical need to provide care or to help a vulnerable person and travelling to and from work but only where this is absolutely necessary and cannot be done from homethats all these are the only reasons you should leave your homeyou should not be meeting friends if your friends ask you to meet you should say noyou should not be meeting family members who do not live in your homeyou should not be going shopping except for essentials like food and medicine and you should do this as little as you can and use food delivery services where you canif you dont follow the rules the police will have the powers to enforce them including through fines and dispersing gatherings\nto ensure compliance with the governments instruction to stay at home we will immediatelyclose all shops selling nonessential goods including clothing and electronic stores and other premises including libraries playgrounds and outdoor gyms and places of worship we will stop all gatherings of more than two people in public excluding people you live withand well stop all social events including weddings baptisms and other ceremonies but excluding funeralsparks will remain open for exercise but gatherings will be dispersedi understand that its phrased carefully with just enough sympathy for you to feel its absolutely necessary or they wouldnt be doing itive seen that the vast majority of people at least where i live being cautions and most places are shutthis move is nonsensical and rooted in distrustbasically what the power elite wants is to cripple all form of social contact for the foreseeable future at least 3 weeks and slowly but slowly small and even some medium sized businesses will collapse as we have the creep lets see im not judging but 3 weeks can become 4 weeks and it can become 6 weeks or much worseright now we dont have any real say because weve all given our power awaythe government of course will be seen to be doing its bit its promised to help to give out money to protect the economy which was created by us yesterday and if you fail well its your own fault of course the government will be sad to see individuals and families struggle but what can they do they dont make the rules do they they are just trying to save lives after all the medical system is the only one capable of such things the human body is faulty and stupid and its dangerous to think otherwiselets just forget about the all the evidence that points to the fact that the human body is highly intelligentwe are social beings what do people usually do in times of crisis they come together to join hands literally and metaphoricallywe always do best when we are united not split up into tiny fragmentswhat kind of new normal do we want this is the vital question not the virus which is going to do what its going to do for gods sakei hear all the time the hospitals cant cope well of course they cant they werent designed to the government has been getting rid of beds for the past few decades reducing staff moving parts of it into private hands as welland now it cares all of a sudden it is the saviour of all of us is itwho caused the mass fear and panic and the rush to the hospitals the media narrativelets ask a basic very human question what if we all took care of each other instead of relying on the state to save uswe are all very capable of helping our loved ones through even the worst of illnesses and sicknesses most of the time but were being told a scare story youll get sick youll kill your loved ones so youll be to blame you wont be able to fight this virus and you need the governmental solutions that are coming vaccineswe must wake up from our lethargy and distinguish between catching the virus itself remember thousands of people have got better without medical intervention and the overreaction or underreaction of the body itselfthe global mainstream media is constantly whitewashing the death statistics since its easier to scare us that way why dont they encourage us with statistics of how many are recoveringthe greatest coup against humanity to datethe human ego in all of us lives in constant fear of death and what is the ego it is you as the body along with your thoughts and emotionsthis is deeply understood by all those who have the military power and its used all the time to control the enemy in this case usthe public is the enemy not the virus do you seea subtle shift in awareness can see this very easilyhow the ego operates firstly the ego fears psychological death so it attacks anyone with a different opinion particularly anyone who doesnt conform to accepted narrative so were going to fight against those who dont listendo as youre toldsecondly it lives in constant fear of physical death the ultimate annihilation for the ego from a spiritual vantage point all forms dissolve some dissolve quickly some more slowly but we will all face death sooner or later is this not truetodays western society lives in a deep fear of death death is in fact hidden away in the closet and rarely looked attoday the constant flashing up of an increasing death rate into peoples minds is causing more and more panic more and more doubt in ourselves and our bodiesplease dont believe for a second that the system now suddenly gives a sht about the old the frail or vulnerable it really couldnt care less its a joke if it cared it would be cocooning them helping them feel safe giving them vital nutrition informing them how to boost their immune systems and deploying technological medical advances to keep them safe upfront also suddenly all the governments who never had the money to support us the public can now suddenly create out of thin air trillions of dollars poundseuros whatever why so we can be dependant on them as we spiral downward into a massive depression make no mistake its coming as we sit back and just follow the narrativethis rolling out of problem reaction solution is now unfolding before us and controlling everyones behaviours and its a flashpoint you apparently can harm me and i can harm you etc trust is being eroded between usthis selfisolating for long periods of time does it breaks the human spiritthe way the control of the virus is being handled is a chilling coup against humanityskewed data and what about 5gaccording to greenmedinfocom serious doubts about the accuracy of covid19 testing methods results mortality rates and the supposedly unique and extreme lethality of this virus are starting to emerge a recent study released by italys national health authority found that nearly everyone who was pronounced dead from covid19 was already struggling with serious chronic diseasesbut the most brilliant analysis of the data and the global picture to date comes from a lady called dana ashlie who has meticulously researched the rather inconvenient link between 5g and the spread of the virus globally do you know 5g was very active in wuhan when the outbreak happenedpharma and compulsory vaccinationpharma and vaccine companies benefit from a sickness and disease model and they will do anything to protect itright now many people rightly refuse to vaccinate for the flu and for other types of diseases where they feel it isnt necessary but now it will become mandatory by law to have everything big brother the global state tells you to haveand because everybody is broken up into teeny tiny pieces we are feeling our most vulnerable and alone but its for our own good and we will save the world how poeticsoon to be in a theatre near you pharma will unveil the magic bullet solution injecting us all with adjuvants that contain amongst other things aluminium and viruses from monkeys and foetuses but it will be for our own bodily health and to protect us from each other even though we face economic collapse\nit seems we will do anything to save ourselves at this pointis the human spirit brokenagain if we care to piece the puzzle together well see that the narrative is aboutmaking us fearful and keeping us in feargiving us a powerful top down solution to remove the fear later on making sure we never question the narrative from the top ever again so that we are humbled before the system and pharma the godsaviour of humanity we all need a saviour right now dont we notjob donebill gates recently stepped down from microsoft to concentrate on more philanthropic efforts and that particular individual will only invest his money where hundreds of trillions of dollars in return can be mademandatory human vaccines fit the bill for this particular agenda because gates set up the gates foundation to deal with developing new vaccinesthe bill melinda gates foundation wellcome and mastercard recently committed up to 125 million in seed funding to speedup the response to the covid19 epidemic and this very small investment pales in comparison to the colossal return he will make when the vaccine is announced and the world world is ready to have it injected for fear of getting the virus again do the mathmost people have bought the narrative of selfisolation and the problem reaction solution is firmly rooted in place all in the proverbial blink of an eyetime has moved quickly and we havent had a chance to literally catch our breathon social ive seen people talking about how the skies are clearer how the birds are singing how everything is healing well this might be true and i love that but please dont think for a moment that the welloiled machine of pharma gm foods vaccines the ongoing destruction of our rainforests the killing of our wildlife big oil and gas exploration fracking and so forth isnt going to kick back in if we are unable to take care of ourselves because we are facing financial losses of immense proportionsif we descend into the pit of hell where we cant even take care of ourselves then survival issues kick in and the wider humanitarian issues disappear overnight and your government knows thisorganic foods gone or will be too expensive to buymany or most small family businesses gonesustainable businesses and industry gone green energy gone or very limited access to it or worse controlled by those who currently have all the poweryoga studios gyms and other health places gone or seriously reduced with dependancy on meds being practically the only choiceanyone else seeing what im seeingthe global state is coming to save youi believe in the basic good of humanity but we still have wargenocide on this planet torture toxic pollutants death by medicine and god only knows what else we have been asleep at the wheel allowing these systems to pollute our minds and right now we are witnessing the final blowthose who truly run this world and im talking about people with trillions in their pockets which is no small thing are seeing just how much we will accept right now im seeing friends on facebook towing the party line the language is telling stay at homedo the right thingflatten the curvewe just accept and repeat dont wethe three lines above are actually the voice of the collective ego talking to us telling us not to think for ourselves not to question the planthe collective ego if you dont already know is utterly mad and dysfunctionalyour spirit would never do this to you the spirit empowers you to take care of yourself by facing death head on even if you cannot overcome death the coming together of humanity is a salve that would immediately bring deep peacebut your government knows that and doesnt want it stick to the agendawatch the sinister conversation from event 201 on dana ashlies video how they simulated a cv pandemic and the measures they would take to break us down and to then gain our trustremember just two weeks ago the uk prime minister was telling the uk people that they would absolutely not have any draconian measures imposed upon them and that this approach was based on clear science we were told very clearly that we would not be following europes or chinas examplenow look at the colossal change in a very short space of time step by step the noose is being tightened around everyones necksbut dont worry its for our own goodpeople look at the news and thus they say things have got worse but why have they it is because of the virus aloneno it is the separation from each other that is killing uswe are very good at swallowing this meticulously crafted story are we notover and over again we go back for morethe link between 5g and 60ghz causing harm to humans is clear people in wuhan were falling over dead with 5g having seizures and heart arrhythmia and also a dry cough that attacks the lungs since when did a pneumonia like flu be totally dry see danss videobut practically no one in mainstream media has been alking about it or is talking about it complete silence in factcollectively we need to wake up right now and see this nightmare for what it is a colossal taking back of mind power by those in powerthe flu where has it goneaccording to dr vernon coleman a former gp and the author of over 100 books the world health organisation estimates that the number of people dying from seasonal influenza each year is between 290000 and 650000 and that in a bad year well over half a million people die from the flu in one bad winter month the death toll from flu could approach 100000thats not the number who get it thats the number who die from itand the deadly coronavirus today the official figure is 16000 people have died of the coronavirus since the first diagnosis was made and about 6000 cases are in italy one of the worst countries hititaly has had 5gbut were not asking the right questions in fact very few are questioning anything at allwe live and walk in a collective nightmare and we seem incapable of getting ourselves out of itopen your eyes humanity the boogeyman is not realwe can cope with illness and even death from a virus but a living death imposed on us by an orwellian global society will be far far worse and ironically lead to even more deaths over the long termfor a start when you are in fear or depressed your immune system is drastically weakened thats a hard fact to be concerned aboutnobody at the top is bothering to tell you how to strengthen your immune system why nobody is discussing the link between 5g the frequency of 60ghz and the outbreak of cv whybecause that would be selfdefeating it would empower youits best to tell you to hide behind the warm skirt of big brother until it tells you its 100 safe to come out then you do anything the state tells youtoday we have allowed secrecy to be allowed instead of transparency its astounding and even now we are still blind as to the true motives going on behind the scenedavid icke is his analysis correcta new video was recently posted featuring an interview with the famous david ickei leave it to you to witness the unfolding events on the world stage and to see if any of his comments stack up i dont resonate with everything icke says but i do resonate with a lot of it the unfortunate thing is that he is labelled as a conspiracy theorist and most people switch off when they hear those two words together in fact so do i but we have an opportunity to go beyond labels and seeing the information as it isjust listen and then playback whats happened since january in your own mind do you see the correlationthe ramifications of the lockdowns psychology 101will we all hide in fear of this particular virus for another 4 months to 18 months whilst the world economy collapses and people hit absolute rock bottom who is going to be there to pick up the piecesnot the governments of this world let me tell you that unequivocally nowim not antigovernment but i am anti bs im against the fear being spread dailythe only weapon we have is truth and love both will always dissolve feartruth might not be comfortable to hear because most people have been conditioned not to question their governments even highly intelligent peoplewe can selfisolate for a short while but it will only damage us further because a very deep fear that has been sown into our mindsthink about what its going to youhealing ourselves making the decision to have couragewe have to make the individual and collective effort to face the virus with courage not fear and to handle it with more grace something that the governments of this world will never be able to give uswe must not allow our very livelihoods to collapse because of guilt and fearif we stay connected with each other we may make a new decision about whether to return to work sooner right now i dont see anyone petitioning the governmentssure we will have some sicknesses and even deaths but we will not be imposed upon by an invisible tyrannywe must remember that our bodies can kill the virus and thats the core message we need to hear right now but were not hearing it everwe also need to give ourselves permission to drop the fear and the guilt of the virus spreading and killing others this separates us from being connected and powerful and finally remember that nobody can control life and death least of all our governments and expertstoday we can choose to stand in our power and become an enlightened society or we can descend into the hell of an autocratic technocracy where we are subservient to a medical faceless godwe have forgotten the strength and power of the human body and the fact that it can fight off diseases even pandemics not everyone will survive but together we will be stronger doing what we are collectively doing today we will be totally broken and unable to even functionwe are being played\n\n", + "https://www.energytherapy.biz/", + "FAKE", + 0.05975379585999057, + 3702 + ], + [ + "Shanghai government officially recommends vitamin C for COVID-19", + "the government of shanghai china has announced its official recommendation that covid19 should be treated with high amounts of intravenous vitamin c", + "http://www.cogiito.com", + "FAKE", + 0.16, + 22 + ], + [ + "The Coronavirus COVID-19 Pandemic: The Real Danger is “Agenda ID2020”", + "what is the infamous id2020 it is an alliance of publicprivate partners including un agencies and civil society its an electronic id program that uses generalized vaccination as a platform for digital identityit seems the more there is written about the causes of the coronavirus the more the written analyses are overshadowed by a propaganda and fearmongering hype questions for the truth and arguments for where to look for the origins and how the virus may have spread and how to combat it are lost in the noise of wanton chaos but isnt that what the black men behind this intended pandemic want chaos panic hopelessness leading to human vulnerability a people becoming easy prey for manipulationtoday who declared the coronavirus covid19 a pandemic when there is not the slightest trace of a pandemic a pandemic might be the condition when the death to infection rate reaches more than 12 in europe the death rate is about 04 or less except for italy which is a special case where the peak of the death rate was 6 see below for further analysischina where the death rate peaked only a few weeks ago at about 3 is back to 07 and rapidly declining while china is taking full control of the disease and that with the help of a notspokenabout medication developed 39 years ago by cuba called interferon alpha 2b ifnrec very effective for fighting viruses and other diseases but is not known and used in the world because the us under the illegal embargo of cuba does not allow the medication to be marketed internationallywho has most likely received orders from above from those people who also manage trump and the leaders sic of the european union and her member countries those who aim to control the world with force the one world orderthis has been on the drawing board for years the final decision to go ahead now was taken in january 2020 at the world economic forum wef in davos behind very much closed doors of course the gates gavi an association of vaccinationpromoting pharmaceuticals rockefellers rothschilds et al they are all behind this decision the implementation of agenda id2020 see below after the pandemic has been officially declared the next step may be also at the recommendation either by who or individual countries force vaccination under police andor military surveillance those who refuse may be penalized fines and or jail and forcevaccinated all the sameif indeed forcevaccination will happen another bonanza for big pharma people really dont know what type of cocktail will be put into the vaccine maybe a slow killer that actsup only in a few years or a disease that hits only the next generation or a brain debilitating agent or a gene that renders women infertile all is possible always with the aim of full population control and population reduction in a few years time one doesnt know of course where the disease comes from thats the level of technology our biowar labs have reached us uk israel canada australiaanother hypothesis at this point only a hypothesis but a realistic one is that along with the vaccination if not with this one then possibly with a later one a nanochip may be injected unknown to the person being vaccinated the chip may be remotely charged with all your personal data including bank accounts digital money yes digital money thats what they are aiming at so you really have no control any more over your health and other intimate data but also over your earnings and spending your money could be blocked or taken away as a sanction for misbehavior for swimming against the stream you may become a mere slave of the masters comparatively feudalism may appear like a walk in the parkits not for nothing that dr tedros dg of who said a few days ago we must move towards digital money because physical paper and coin money can spread diseases especially endemic diseases like the coronavirus a precursor for things to come or for things already here in many scandinavian countries cash is largely banned and even a bar of chocalate can be paid only electronicallywe are moving towards a totalitarian state of the world this is part of agenda id2020 and these steps to be implemented now prepared since long including by the coronavirus computer simulation at johns hopkins in baltimore on 18 october 2019 sponsored by the wef and the bill and melinda gates foundation\nbill gates one of the chief advocates of vaccinations for everybody especially in africa is also a huge advocate of population reduction population reduction is among the goals of the elite within the wef the rockefellers rothschilds morgens and a few more the objective fewer people a small elite can live longer and better with the reduced and limited resources mother earth is generously offeringthis had openly been propagated already in the 1960s and 70s by henry kissinger foreign secretary in de nixon administration a coengineer of the vietnam war and main responsible for the semiclandestine bombing of cambodia a genocide of millions of unarmed cambodian civilians along with the ciakissinger engineered coup on 911 1973 in chile killing the democratically elected salvador allende and putting the military dictator pinochet in power kissinger has committed war crimes today he is a spokesman so to speak for rockefeller and their bilderberger societymore than just a virus two weeks after the computer simulation at johns hopkins medical center in baltimore maryland that produced aka simulated 65 million deaths the covid19 virus first appeared in wuhan by now it is almost certain that the virus was brought to wuhan from outside most likely from a biowar lab in the us see also this and thiswhat is the infamous id2020 it is an alliance of publicprivate partners including un agencies and civil society its an electronic id program that uses generalized vaccination as a platform for digital identity the program harnesses existing birth registration and vaccination operations to provide newborns with a portable and persistent biometricallylinked digital identity gavi the global alliance for vaccines and immunization identifies itself on its website as a global health partnership of public and private sector organizations dedicated to immunization for all gavi is supported by who and needless to say its main partners and sponsors are the pharmaindustrythe id2020 alliance at their 2019 summit entitled rising to the good id challenge in september 2019 in new york decided to roll out their program in 2020 a decision confirmed by the wef in january 2020 in davos their digital identity program will be tested with the government of bangladesh gavi the vaccine alliance and partners from academia and humanitarian relief as they call it are part of the pioneer partyis it just a coincidence that id2020 is being rolled out at the onset of what who calls a pandemic or is a pandemic needed to roll out the multiple devastating programs of id2020here is what anir chowdhury policy advisor of the bangladesh government program has to saywe are implementing a forwardlooking approach to digital identity that gives individuals control over their own personal information while still building off existing systems and programs the government of bangladesh recognizes that the design of digital identity systems carries farreaching implications for individuals access to services and livelihoods and we are eager to pioneer this approachwow does mr anir chowdhury know what he is getting intoback to the pandemic and the panic geneva the european seat of the united nations including the headquarters of who is basically shot down not unlike the lockdown that started in venice and later expanded to northern italy until a few days ago and now the lockdown covers all of italy similar lockdown may soon also be adopted by france and other european vassal states to the anglozionist empirenumerous memoranda with similar panicmongering contents from different un agencies in geneva are circulating their key message is cancel all mission travel all events in geneva visits to the palais des nations the geneva cathedral other monuments and museums the latest directives many agencies instruct their staff to work from home not to risk contamination from public transportationthis ambiance of panic and fear outstrips any sense of reality when the truth doesnt matter people cant even think any more about the causes and what may be behind it nobody believes you anymore when you refer to event 201 the coronavirus simulation the wuhan military games the closing last august 7 of the highsecurity biological war lab at fort detrick maryland what could have at one point been an eye opener for many today is sheer conspiracy theory the power of propaganda a destabilizing power destabilizing countries and people destroying economies creating hardship for people who may lose their jobs usually the ones who can least afford italso at this time it becomes increasingly important to remind people that the outbreak in china was targeting the chinese genome did it later mutate to transgress the borders of chinese dna when did that happen if it happened because at the beginning it was clear that even the infected victims in other parts of the world were to 999 of chinese descentwhat happened later when the virus spread to italy and iran is another issue and opens the way to a number of speculationsthere were various strains of the virus circulated in sequence so as to destabilize countries around the world and to confound the populace and media so that especially nobody of the mainstream may come to the conclusion that the first strain was targeting china in a biowarin iran i have a strong suspicion that the virus was an enhanced form of mers middle east respiratory syndrome manmade broke out first in saudi arabia in 2012 directed to the arabic genome which was somehow introduced into government circles by aerosol spray with the goal of regime change by covid19caused death its washingtons wishful thinking for at least the last 30 yearsin italy why italy maybe because washington brussels wanted to hit italy hard for having been officially the first country to sign a belt and road bri accord with china actually the first was greece but nobody is supposed to know that china came to the rescue of greece destroyed by greeces brothers the eu members mainly germany and franceiv the hype about the high death to infection rate in italy as of the time of this writing 10149 infections vs 631 deaths death rate of 62 comparatively iran 8042 infections vs 291 deaths 36 death rate the death rate of italy is almost double that of iran and almost tenfold that of average europe are these discrepancies the result of failures in the establishing reliable data pertaining to infections see our observations pertaining to italy belowwhy was is italy being affected with virus panic was there a much stronger strain introduced to italythe common flu in europe in the 2019 2020 season has apparently so far killed about 16000 in the us the death toll is according to cdc between 14000 and 32000 depending on which cdc website you look atcould it be that among the italian coronavirus deaths there were also common flu victims as the affected victims are mostly elderly with respiratory preconditions also symptoms are very similar between coronavirus and the common flu and nobody questions and checks the official authorities narrativemaybe not all the coronavirus strains come from the same laboratory a journalist from berlin of ukrainian origin told me this morning that ukraine is host to some 5 high security us biowar labs they test regularly new viruses on the population yet when strange diseases break out in the surroundings of the labs nobody is allowed to talk about it something similar she says is happening in georgia where there are even more pentagon cia biowar labs and where also new and strange diseases break outall of this makes the composite picture even more complicated overarching all is this super hype is profit driven the quest for instant profit instant benefits from the suffering of the people this panic making is a hundredfold of what its worth what these kingpins of the underworld who pretend to run the upper world perhaps miscalculated is that in todays globalized and vastly outsourced world the west depends massively on chinas supply chain for consumer goods and for intermediary merchandise and foremost for medication and medical equipment at least 80 of medication or ingredients for medication as well as for medical equipment comes from china the western china dependence for antibiotics is even higher some 90 the potential impacts on health are devastatingduring the height of the covid19 epidemic chinas production apparatus for everything was almost shutdown for deliveries that were still made merchandise vessels were regularly and categorically turned back from many harbors all around the world so the west has tricked itself into a shortageofeverything mode by waging a de facto economic war on china how long will it last nobody knows but chinas economy which was down by about half has rapidly recovered to above 80 of what it was before the coronavirus hit how long will it last to catch up with the backlogwhat is behind it all a total crackdown with artificially induced panic to the point where people are screaming help give us vaccinations display police and military for our security or even if the public despair doesnt go that far it would be easy for the eu and us authorities to impose a military stage of siege for health protection of the people in fact cdc center for disease control in atlanta has already designed harshly dictatorial directives for a health emergency\nalong with forced vaccination who knows what would be contained in the cocktail of minidiseases injected and what their longterm effects might be similar to those of gmos where all sorts of germs could be inserted without us the commons knowingwe may indeed be just at the beginning of the implementation of id2020 which includes forced vaccination population reduction and total digital control of everybody on the way to one world order and global financial hegemony full spectrum dominance as the pnac plan for a new american century likes to call ita windfall for china china has been purposely targeted for economic destruction because of her rapidly advancing economy an economy soon to overtake that of the now hegemon the us of a and because of chinas strong currency the yuan also potentially overtaking the dollar as the worlds main reserve currency\nboth occurrences would mean the end of us dominance over the world the coronavirus disease now in more than 80 countries has crashed the stock markets a decline of at least 20 over the last few weeks and rising the feared consequences from the virus of an economic slowdown if not recession has slashed petrol prices within about two weeks almost in half however without chinas central bank interference the yuans value visàvis the dollar has been rather stable at around 7 yuan to the dollar that means the chinese economy despite covid19 is receiving still much trust around the globeadvice to china buy all the us and european corporate shares you can at current rockbottom prices from the stock markets that collapsed by a fifth or more plus buy lots of oil futures when the prices recover you have not only made billions probably trillions from the west but you also may own or hold significant and influenceyielding amounts of shares in most of the largest us and european corporations and will be able to help call the shots of their future endeavorsthere is however one little silver lining oscillating at the horizon full of dark clouds it could miraculously be an awakening of consciousness of a critical mass that could put an end to it all although we seem to be far from such a miracle somewhere in a hidden corner of our brain we all have a spark of consciousness left we have the spiritual capacity to abandon the disaster path of western neoliberal capitalism and instead espouse solidarity compassion and love for each other and for our society that may be the only way to break the gridlock and doom of western egocentric greed", + "https://www.globalresearch.ca/", + "FAKE", + 0.036031100330711226, + 2717 + ], + [ + "This review outlines Traditional Chinese Medicine treatments for coronavirus infections", + "since the outbreak of 2019 novel coronavirus infection 2019ncov in wuhan city china by january 30 2020 a total of 9692 confirmed cases and 15238 suspected cases have been reported around 31 provinces or cities in china among the confirmed cases 1527 were severe cases 171 had recovered and been discharged at home and 213 died and among these cases a total of 28 children aged from 1 month to 17 years have been reported in china for standardizing prevention and management of 2019ncov infections in children we called up an experts committee to formulate this experts consensus statement this statement is based on the novel coronavirus infection pneumonia diagnosis and treatment standards the fourth edition national health committee and other previous diagnosis and treatment strategies for pediatric virus infections the present consensus statement summarizes current strategies on diagnosis treatment and prevention of 2019ncovinfection in children", + "https://web.archive.org/", + "FAKE", + 0.040833333333333346, + 146 + ], + [ + "Three Intravenous Vitamin C Research Studies Approved for Treating COVID-19", + "intravenous vitamin c is already being employed in china against covid19 coronavirus i am receiving regular updates because i am part of the medical and scientific advisory board to the international intravenous vitamin c china epidemic medical support teamdirect report from china\nomns chinese edition editor dr richard cheng is reporting from china about the first approved study of 12000 to 24000 mgday of vitamin c by iv the doctor also specifically calls for immediate use of vitamin c for prevention of coronavirus covid19 a second clinical trial of intravenous vitamin c was announced in china on feb 13th in this second study says dr cheng they plan to give 6000 mgday and 12000 mgday per day for moderate and severe cases we are also communicating with other hospitals about starting more intravenous vitamin c clinical studies we would like to see oral vitamin c included in these studies as the oral forms can be applied to more patients and at home and on feb 21 2020 announcement has been made of a third research trial now approved for intravenous vitamin c for covid19 dr cheng who is a us boardcertified specialist in antiaging medicine adds vitamin c is very promising for prevention and especially important to treat dying patients when there is no better treatment over 2000 people have died of the coiv19 outbreak and yet i have not seen or heard large dose intravenous vitamin c being used in any of the cases the current sole focus on vaccine and specific antiviral drugs for epidemics is misplaced\nhe adds that early and sufficiently large doses of intravenous vitamin c are critical vitamin c is not only a prototypical antioxidant but also involved in virus killing and prevention of viral replication the significance of large dose intravenous vitamin c is not just at antiviral level it is acute respiratory distress syndrome ards that kills most people from coronaviral pandemics sars mers and now ncp ards is a common final pathway leading to deathwe therefore call for a worldwide discussion and debate on this topicnews of vitamin c research for covid19 is being actively suppressed\nanyone saying that vitamin therapy can stop coronavirus is already being labeled as promoting false information and promulgating fake news even the sharing of verifiable news and direct quotes from credentialed medical professionals is being restricted or blocked on social media you can see sequential examples of this phenomenon at my facebook page httpswwwfacebookcomthemegavitaminman indeed the world health organization who has literally met with google and facebook and other media giants to stop the spread of what they declare to be wrong informationphysiciandirected hospitalbased administration of intravenous vitamin c has been marginalized or discredited scientific debate over covid19 appears to not be allowedironically facebook blocking any significant users sharing of the news of approved vitamin therapy research is itself blocked in china by the chinese government as for the internet yes china has it and yes it is censored but significantly the chinese government has not blocked this real news on how intravenous vitamin c will save lives in the covid19 epidemic here is the protocol as published in chinese medical orthodoxy obsessively focuses on searching for a vaccine andor drug for coronavirus covid19 while they are looking for what would be fabulously profitable approaches we have with vitamin c an existing plausible clinically demonstrated method to treat what coronavirus patients die from severe acute respiratory syndrome or pneumoniaand it is available right nowto read all orthomolecular medicine news service reports on covid coronavirus and intravenous vitamin c", + "http://orthomolecular.org/", + "FAKE", + 0.09401098901098903, + 593 + ], + [ + "COVID-19 is an exosome, and the pandemic is related to 5G signals", + "covid19 is not a virus it is an exosome influenced by electromagnetic contamination", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + "Vitamin C Protects Against Coronavirus", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c physicians have demonstrated the powerful antiviral action of vitamin c for decades there has been a lack of media coverage of this effective and successful approach against viruses in general and coronavirus in particularit is very important to maximize the bodys antioxidative capacity and natural immunity to prevent and minimize symptoms when a virus attacks the human body the host environment is crucial preventing is obviously easier than treating severe illness but treat serious illness seriously do not hesitate to seek medical attention it is not an eitheror choice vitamin c can be used right along with medicines when they are indicatedi have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin cthe physicians of the orthomolecular medicine news service and the international society for orthomolecular medicine urge a nutrientbased method to prevent or minimize symptoms for future viral infection the following inexpensive supplemental levels are recommended for adults for children reduce these in proportion to body weightvitamin c 3000 milligrams or more daily in divided dosesvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 magnesium 400 mg daily in citrate malate chelate or chloride formzinc 20 mg daily selenium 100 mcg micrograms daily vitamin c vitamin d magnesium zinc and selenium have been shown to strengthen the immune system against virusesthe basis for using high doses of vitamin c to prevent and combat viruscaused illness may be traced back to vitamin cs early success against polio first reported in the late 1940smany people are unaware even surprised to learn this further clinical evidence built up over the decades leading to an antivirus protocol published in 1980it is important to remember that preventing and treating respiratory infections with large amounts of vitamin c is well established those who believe that vitamin c generally has merit but massive doses are ineffective or somehow harmful will do well to read the original papers for themselves to dismiss the work of these doctors simply because they had success so long ago sidesteps a more important question why has the benefit of their clinical experience not been presented to the public by responsible governmental authorities especially in the face of a viral pandemic", + "http://orthomolecular.org/", + "FAKE", + 0.1285374149659864, + 395 + ], + [ + "G2Voice Broadcast #182 The Coronavirus is curable! Do you believe it? You better!", + "the coronavirus is curable do you believe it you better every week i am putting in the g2sacramental dosing for coronavirus why we have a family on it we have a couple of other people 6 drops mms activated 4oz of water every two hours four or five times the first day it should it might even kick it out the first day but depends on how long youve had it if its in your lungs do it the second day again then id go to three drops eight hours a day for three or four days then just to keep going kick it out of you small children we can cut everything in half three drops every two hours versus a couple days three hours then a drop really not three the coronavirus is curable you believe that you better its wicked good stuff joe and joseph grenon replies mms will kill it", + "https://g2voice.is/broadcast", + "FAKE", + 0.13712121212121212, + 154 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vax certificates did you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "Explosive new Health Ranger presentation streams live May 15 – 16: The Depopulation Trifecta: Coronavirus, vaccines and 5G", + "on may 1516th as part of the true legends ancient cataclysms and coming catastrophes online conference organized by steve quayle at gensixcom i will be presenting a nearly threehour talk entitled the depopulation trifecta coronavirus vaccines and 5gthe twoday streaming event also features bob griswold derek gilbert celeste solum la marzulli and many other gifted presenters and thought leaders\nthe series focuses on dire catastrophes that humanity may be facing right now or in the near futuremy own talk focuses on what i call the trifecta of assaults against humanity the coronavirus vaccines and 5g these are indicative of biological weapons chemical weapons and electromagnetic weapons all formed and deployed against humanity in order to achieve the global depopulation that people like bill gates so desperately seek to achieveheres an overview of the sections of my talkthe beliefs of the globalists what they are trying to achieve through depopulation hint planet earth is being prepared for a posthuman erahow we are already in a biological war launched by globalists to destroy human freedom and exterminate most of the human population the coronavirus attack wave is just the first of many to comethe three weapons of extermination bioweapons vaccines and 5g how they synergistically function to both enslave and exterminate the human race through electromagnetic weapons chemical weapons and biological weapons all without resorting to nuclear weapons that would pollute the planet for all life formsthe three layers of collapse debt finance health and cognition how the collapse is being engineered at these three levels to attack the body the mind and the spirithow the information war against humanity is being waged with censorship of natural cures independent journalism and prohuman information where online information gatekeepers are actively pursuing an antihuman antilife agenda that ends with the mass extermination of most humans living todayalso in the presentationhow to survive the culling of the human racenutritional strategies to protect yourself from 5g exposure and save your brainstrategic relocation to evade the high population density targets such as us cities how to make yourself resilient against the planned engineered food supply collapsehow to preserve your wealth and assets to survive a global debt reset how to protect your health from the multiple waves of bioweapons that will be releasedwhich hard assets to acquire that will be the most resilient against global geopolitical collapsehow globalists will seize control over the internet and block all traffic to sites they dont want you to readthe fourth turning revolution thats coming to the world as middle class workers grow tired of being looted by the elitestreaming access is available at gensixcom a dvd set will is also available for preorder i am not compensated in any way for sales of streaming or dvds or anything else im participating in this event out of respect for steve quayles mission to try to awaken humanity before its too late for us all\nspread the word this is going to be a mustsee event to understand what we all face in the months ahead humanity has been targeted for termination and most people have no clue whats coming", + "https://www.naturalnews.com/", + "FAKE", + 0.11654761904761907, + 518 + ], + [ + null, + "drinking pure alcohol or the idea that turkish genes are immune to the virus", + null, + "FAKE", + 0.21428571428571427, + 14 + ], + [ + "Rudy Giuliani Hint Possible Investigation Into Obama Approval of $3.7 Million NIH Grant to Wuhan Lab in 2015", + "back in 2015 the nih under the direction of dr tony fauci gave a 37 million grant to the wuhan institute of virologythe wuhan institute of virology is now the main suspect in leaking the coronavirus that has killed more than 50000 americans and thanks to dr fauci again destroyed the us economyas early as 2018 us state department officials warned about safety risks at the wuhan institute of virology lab on scientists conducting risky tests with the bat coronavirusus officials made several trips to the wuhan laboratorydespite the warnings the us national institute of health nih awarded a 37 million grant to the wuhan lab studying the bat virus this was after state department warned about the risky tests going on in the labthe deadly china coronavirus that started in china sometime in late 2019 has now circled the globe evidence suggests that the coronavirus didnt come naturally we still dont know whether the deadly virus was leaked intentionally or if it was an accident but we do know that the chinese did attempt to market a cure for the coronavirus to the world in january after the virus began to spreadaccording to the report from wuhan the coronavirus came from either the wuhan center for disease control and prevention or wuhan institute of virology in wuhan china these reports linking bats to the coronavirus started making the rounds back in january a research paper published in the wuhan centre for disease control and prevention determined the source of the coronavirus is a laboratory near the seafood market in wuhanon sunday rudy giuliani dropped a bomb on dr fauci rudy scolded the niaid director of granting 37 million to the wuhan lab that leaked the coronavirus and then rudy accused the nih of knowing more about this than they are leading on torudy giuliani questioned dr anthony faucis involvement in grants from the united states to a laboratory in wuhan china that has been tied to the coronavirus pandemicaccording to a report the us intelligence community has growing confidence that the current coronavirus strain may have accidentally escaped from the wuhan institute of virology rather than from a wildlife market as the chinese communist party first claimed during a sunday interview on the cats roundtable giuliani questioned why the us gave money to the labback in 2014 the obama administration prohibited the us from giving money to any laboratory including in the us that was fooling around with these viruses prohibited despite that dr fauci gave 37 million to the wuhan laboratory even after the state department issued reports about how unsafe that laboratory was and how suspicious they were in the way they were developing a virus that could be transmitted to humans he claimedrudy giuliani later dropped this bomb on the grant to the wuhan lab did obama sign off on this", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.04583333333333334, + 475 + ], + [ + "COVID-19: Perfect Cover for Mandatory Biometric ID", + "now that the state and its media have falsely characterized the coronavirus as a pandemic closing in on the 1918 flu pandemic falsely attributed to spain it is time for the global elite and their technocrats to force not only highlyprofitable for big pharma vaccines on the world but biometric ids as well as countries begin to lift coronavirus lockdowns biometric identification can help verify those who have already had the infection and ensure that the vulnerable get the vaccine when it is launched health and technology experts said reports reuters a biometric id system can keep a record of the infected and those getting the vaccine said larry dohrs southeast asia head at irespond a seattlebased nonprofit that launched its technology last monththe pretense for thisas it was for the us decimation of libya syria and iraqis humanitarianism according to irespond and simprints a british ngo partnered with johns hopkins universitys global mhealth initiative the latter connected to the us military and its dark winter and event 201 pandemic scenarios see whitney webb all roads lead to dark winter total surveillance requires 247 monitoring of individualsespecially those included in the main core database of activists and political enemies of the stateand biometric technology introduced during the hysteria of an exaggerated health threat fits the bill president vladimir putin who armed the terrorists in syria who created the islamic state isisid2020a project initiated by the rockefeller foundation bill gates and microsoft transnational pharmaceutical corporations and technology firmsis pushing the concept that every human on the planet needs biometric verification because to prove who you are is a fundamental and universal human right according to the id2020 website what they really want is a fully standardized data collection and retrieval format and crossborder sharing of identities of the entire population of the planet in order for the standalone aipowered command center to work without a hitch and for purposes of calculating everyones potential contribution and threat to the system explains offgrid healthcare if you believe this is dangerously close to chinas social credit system youre not far off the markintroducing this totalitarian technology under the cover of a supposed pandemic rife with speculation and a dearth of hard numbers is a nearperfect cover for patient id technology producing data on individuals shared with the state and its corporate partners a vaccine ostensibly designed to combat covid19 will become mandatory and those who resist will be blacklisted as public health criminals they will be locked out of society similar to chinese citizens suffering under chinas totalitarian social credit system martin armstrong believes the healthcareindustrial complex and the state will surreptitiously introduce a nanotech id and tracking chip along with a cocktail of vaccine toxins or they will sell it to the public as a way to identify those presumably infectedthe proposal is a digital certificate that verifies if you have been vaccinated and was developed by mit and microsoft they are looking at merging this with bill gates id2020 it is entirely possible that this scare has been a deliberate plot to get people to accept these digital implants refuse and you will be prohibited from social gatherings like 911 conditioned us to be xrayed before entering a plane now the next stage is to embed digital markers that they have been using in dogs and catscovid19 is the perfect trojan horse for a control freak state itching to not only micromanage the lives of ordinary citizens but also ferret out critics and potential adversaries and punish them as enemies of the state the latter is the primary objective history is replete with examplesfrom stalin and mao to hitler and mussolini with lesser autocrats and dictators along the way ", + "https://www.globalresearch.ca", + "FAKE", + -0.03018207282913165, + 617 + ], + [ + null, + "the tragic death of kobe bryant and his daughter in a helicopter crash was in fact an illuminati blood sacrifice ahead of a mass murder plot ie coronavirus that would allow the cult to introduce a dangerous new vaccinethe scientificallybaseless conspiracy theory that 5g is linked to coronavirus and talks about coronavirusrelated disinformation peddled by qanon a farright conspiracy theory alleging a deep state plot against us president donald trump", + "Facebook", + "FAKE", + -0.30340909090909096, + 70 + ], + [ + "Hospital-based Intravenous Vitamin C Treatment for Coronavirus and Related Illnesses", + "no matter which hospital a coronavirus patient may seek help from the question is will they be able to leave walking out the front door or end up being wheeled out the basement backdoor prompt administration of intravenous vitamin c in high doses can make the differenceabundant clinical evidence confirms vitamin cs effectiveness when used in sufficient quantityphysicians have demonstrated the powerful antiviral action of vitamin c for decadesspecific instructions for intravenous vitamin cthe japanese college of intravenous therapy jcit recommends intravenous vitamin c ivc 12525g 12500 25000 mg for acute viral infections influenza herpes zoster common cold rubella mumps etc and virus mimetic infections idiopathic sudden hearing loss bells palsy in adults ivc 125g is given for early stage illness with mild symptoms and ivc 25g for moderate to severe symptoms ivc is usually administered once or twice a day for 25 continuous days along with or without general treatments for viral infectionspatients with acute viral infections show a depletion of vitamin c and increasing free radicals and cellular dysfunction such patients should be treated with vitamin c oral or iv for neutralizing free radicals throughout the body and inside cells maintaining physiological functions and enhancing natural healing if patients progress to sepsis vitamin c should be added intravenously as soon as possible along with conventional therapy for sepsistoronto star 30 may 2003 fred hui md believes that administering vitamin c intravenously is a treatment worth trying and hed like to see people admitted to hospital for the pneumonialike virus treated with the vitamin intravenously while also receiving the usual drugs for sars i appeal to hospitals to try this for people who already have sars says hui members of the public would also do well to build up their levels of vitamin c he says adding that there is nothing to lose in trying it this is one of the most harmless substances there is hui states there used to be concern about kidney stones but that was theoretical it was never borne out in an actual case hui says he has found intravenous vitamin c effective in his medical practice with patients who have viral illnessesadditional administration details are readily obtained from a free download of the complete riordan clinic intravenous vitamin c protocol 4 although initially prepared for cancer patients the protocol has found widespread application for many other diseases particularly viral illnessesresearch and experience has shown that a therapeutic goal of reaching a peakplasma concentration of 20 mm 350 400 mgdl is most efficacious no increased toxicity for posoxidant ivc plasma vitamin c levels up to 780 mgdl has been observed the administering physician begins with a series of three consecutive ivc infusions at the 15 25 and 50 gram dosages followed by post ivc plasma vitamin c levels in order to determine the oxidative burden for that patient so that subsequent ivcs can be optimally dosedgiven the rapid rate of success of intravenous vitamin c in viral diseases i strongly believe it would be my first recommendation in the management of corona virus infections it is of great importance for all doctors to be informed about intravenous vitamin c when a patient is already in hospital severely ill this would be the best solution to help save her or his life winning the hospital game when faced with hospitalization the most powerful person in the most entire hospital system is the patient however in most cases the system works on the assumption that the patient will not claim that power if on your way in you signed the hospitals legal consent form you can unsign it you can revoke your permission just because somebody has permission to do one thing doesnt mean that they have the permission to do everything theres no such thing as a situation that you cannot reverse you can change your mind about your own personal healthcare it concerns your very life the rights of the patient override the rules of any institutionif the patient doesnt know that or if theyre not conscious or if they just dont have the moxie to do it the next most powerful person is the spouse the spouse has enormous influence and can do almost as much as the patient if the patient is incapacitated the spouse can and must do all the more if there is no spouse present the next most powerful people in the system are the children of the patientwhen you go to the hospital bring along a big red pen and cross out anything that you dont like in the hospitals permission form and before you sign it add anything you want write out i want intravenous vitamin c 25 grams per day until i state otherwise and should they say were not going to admit you you reply please put it in writing that you refuse to admit me what do you think their lawyers are going to do with that they have to admit you its a game and you can win it but you cant win it if you dont know the rules and basically they dont tell you the rulesthis is deadly serious medical mistakes are now the third leading cause of death in the us yes medical errors kill over 400000 americans every year thats 1100 each day every daythere are mistakes of commission and mistakes of omission failure to provide intravenous vitamin c is literally a grave omission do not allow yourself or your loved ones to be deprived of a simple easy to prepare and administer iv of vitamin cif a family member of mine died due to coronavirus infection after a doctor refused to use intravenous vitamin c i would challenge his or her treatment in a court of law i would winit can be done vitamin ivs can be arranged in virtually any hospital anywhere in the world attorney and cardiologist thomas e levys very relevant presentation is free accessboth the letter and the intent of new usa legislation now make this easier for youthe new federal right to try act provides patients suffering from lifethreatening diseases or conditions the right to use investigational drugs it amends the food drug and cosmetic act to exempt investigational drugs provided to patients who have exhausted approved treatment options and are unable to participate in a clinical trial involving the drug advocates of right to try laws have sought to accelerate access to new drugs for terminally ill patients who are running out of options arguably the law does not represent a radical change in this and several other states however because in 2016 california had already joined the majority of other states in adopting a law enabling physicians to help terminally ill patients pursue investigational therapies without fear of medical board or state civil or criminal liability the new right to try law should give physicians as well as drug manufacturers some added comfort about fda enforcement in these casestherefore in regards to intravenous vitamin c do not accept stories that the hospital cant or the doctor cant or that the state wont allow it if you hear any of this malarkey please send the orthomolecular medicine news service the text of the policy or the law that says so in the meantime take the reins and get vitamin c in the veins", + "http://orthomolecular.org/", + "FAKE", + 0.13705510992275702, + 1221 + ], + [ + null, + "serious excellent advice by japanese doctors treating covid19 cases  everyone should ensure your mouth throat is moist never dry take a few sips of water every 15 mins at least why  even if the virus gets into your mouth drinking water or other liquids will wash them down through your oesophagus and into the stomach once there in tummy your stomach acid will kill all the virus if you dont drink enough water more regularly the virus can enter your windpipes and into the lungs thats very dangerous", + "Japanese doctors treating COVID-19 cases", + "FAKE", + -0.030046296296296304, + 88 + ], + [ + " The Coronavirus Scare Start Immediately After Impeachment", + "has anyone else noticed the covid19 scare started immediately after impeachment failedits all planned", + "Facebook", + "FAKE", + 0, + 14 + ], + [ + "THE SKRIPALS GOT CAUGHT IN A POWER-STRUGGLE AMONG US AND UK BILLIONAIRES", + "there are splits within any political organization and apparently the falseflag operation against the skripals was done by a ring that included not only representatives of uk billionaires but also representatives of democratic party us billionaires who are competing for power against republican party us billionaires this is a powerstruggle within the usuk elite though that entire elite want to conquer russia they disagree on how to do it the trumpians want to conquer china and iran first but all the others are simply obsessed against russia the skripals got trapped by the russiaobsessed billionaires", + "strategic-culture.org", + "FAKE", + -0.05714285714285715, + 95 + ], + [ + "Gargling With Salt Water & Vinegar Kill The Virus", + "gargling with warm water that contains salt or vinegar will eliminate the virus", + "Facebook", + "FAKE", + 0.6, + 13 + ], + [ + "The coronavirus pandemic can be dramatically slowed, or stopped, with the immediate widespread use of high doses of vitamin C", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c", + "Facebook", + "FAKE", + 0.16, + 20 + ], + [ + "Did the 5G rollout in Wuhan damage the innate cellular defense cells of the population, putting the people at risk of complications and death from coronavirus?", + "scientists have been sounding the alarm about the dangers of 5th generation wireless technology some countries have heeded the warning about wireless radiation and the harmful effects of emfs china on the other hand has completely ignored all warnings and has proceeded to unleash 5g faster than any other nation in fact china rolled out 5g in the province of wuhan in october 2019 just two months later the city became afflicted by a new kind of coronavirus named covid19 how did a formerly benign class of virus become so opportunistic in such a short amount of time why is the death rate so high at the epicenter of the outbreakdid the 5g launch in wuhan china cause widespread compromised immune systems why did the citys population suddenly become so vulnerable could it be that 5g oxidized important surveillance proteins of the innate immune system of the wuhan population does 5g cause severe inflammation damaging the innate immune system could it be that 5g does cause dna breaks as documented by scientists do these dna breaks potentially affect innate immune molecules such as the mannose binding lectins mbls which are primarily located on lung surfactant proteins a and dmbls are powerful defense molecules that have been clinically studied to target coronaviruses early in their replication cycle preventing viral attachment if mbl levels are compromised through oxidation respiratory viruses can more readily take hold of the human host deficiency in mbls also occurs when there is a three single point mutation in exon 1 of the mbl2 gene for an infectious agent to cause complication andor fatality a persons immune system must be compromised did the launch of 5g in wuhan china help facilitate the outbreak of this deadly bioweaponmbls are a natural defense system in the human body used for biological recognition and surveillance at the molecular level mbls bind with sugars allowing the protein to interact with many different kinds of viruses bacteria yeasts fungi and protozoa cloaked with such sugars mbls are unique because they can bind to the surface of microbes and activate the complement system in an antibody they are one of the only antiviral systems that can break down the signature glycoprotein shell that surrounds coronaviruses including ebola sars and mersdeficiency in mannose binding lectins is linked to chronic obstructive pulmonary disease neonatal sepsis and respiratory syncytial virus rsv among other complications and respiratory illnesses scientists estimate that 10 to 30 percent of the population is deficient in mbls putting them at serious risk of complications from any and all respiratory infections this is the most serious aspect of the coronavirus outbreak up to thirty percent of the population may already be susceptible to serious complications from this weaponized strain 5g wireless radiation only compromises immunity further after all one of the documented symptoms of 5g is flulike symptoms why is the fatality rate higher at the epicenter of the outbreakdid the launch of 5g wireless radiation cause oxidative damage to innate immune molecules like the mannose binding lectins in the people of wuhan china did 5g cause genetic mutations suppressing natural levels of mannose binding lectins did the well documented oxidative effects of 5g affect the populations innate immune system oxidizing the very molecules that the immune system needs in order to protect the respiratory system is 5g accelerating the virility of coronavirus by weakening important cellular surveillance systems on the proteins of lung cells", + "https://www.naturalnews.com/", + "FAKE", + 0.06091580254370953, + 571 + ], + [ + "THE CORONAVIRUS IS A US BIOLOGICAL WEAPON TO REDUCE THE PLANET’S POPULATION", + "americans have a full arsenal of biological weapons and this manifestation of the us hybrid warfare against the economic sectors they do not control is perfectly understandable and logicalprimitive malthusian ideas still prevail there one can constantly hear that there are too many humanity that the planet they say cannot survive so many people and so on therefore they die today you look mostly people of the yellow race so to speak this is china korea japan among europeans such a tragic fate befell people with reduced immunity the elderly who are traditionally regarded as ballast for this ideology of the golden billion", + "https://www.geopolitica.ru/", + "FAKE", + 0.21666666666666665, + 103 + ], + [ + "Trump’s advisors are pushing coronavirus treatments based on PROFITS, not what works… millions may die to appease Big Pharma’s greed", + "the true agenda of dr anthony fauci the current white house health advisor offering guidance on the wuhan coronavirus covid19 crisis couldnt be clearer and lets just say that this agenda isnt exactly a good onethe obama regime leftover who bragged a few years back that hes worked in five different white house administrations doesnt want people to use hydroxychloroquine to treat the virus instead he wants them to wait for a new blockbuster coronavirus vaccine because thats what will generate the biggest profits for the pharmaceutical industryfauci didnt actually say this last part of course but he didnt have to by telling americans not to look at hydroxychloroquine as a knockout drug but to instead view some theoretical vaccine that doesnt even exist yet as the ultimate game changer fauci has exposed himself as the deep state swamp creature that he truly iswe still need to do the definitive studies to determine whether any intervention not just this one is truly safe and effective fauci who also directs the national institute of allergy and infectious diseases niaid stated to fox news but when you dont have that information its understandable why people might want to take something anyway even with the slightest hint of being effectivethis sounds like the same nonsense spewed by political hacks in prohibition states who are always calling for more research into the safety and effectiveness of cannabis for instance in order to permit their residents to use it and the worst part is that there is solid evidence to show that hydroxychloroquine does in fact work for coronavirus patients an international survey of some 6227 doctors in 30 different countries determined that hydroxychloroquine or chloroquine is currently rated as the most effective therapy overall when it comes to treating the wuhan coronavirus covid19 at least when it comes to pharmaceutical interventionslisten below to the health ranger report as mike adams the health ranger talks about how zinc is another effective natural remedy for coronavirusesfauci knew trump would face this coronavirus crisis because it was planned in advancehow we know without a doubt that fauci is a lying scumbag whos shilling for big pharma is the fact that he spoke about this coronavirus crisis back in 2017 openly admitting that president trump would be facing a surprise outbreak during his presidential termsomehow fauci knew in advance that the wuhan coronavirus covid19 would become a major global pandemic and is now trying to stop people from using something that works and instead wait for bill gates or whatever other vaccine interests are busily working on them to release vaccines that will supposedly provide a cure against this novel viruskeep in mind that chloroquine tablets currently run about 04 a dose or about 1 per course this is insanely inexpensive and could easily provide blanket coverage for every person in the world meanwhile a course of remdesivir a drug that fauci has personally invested his own money to support trials for costs upwards of 1000 per coursein other words fauci isnt concerned with helping others hes concerned with helping himself and other shareholders who are obviously hoping to profit heavily from the wuhan coronavirus covid19 crisis due to all of the new therapeutics theyre expecting to be unveiled in the coming monthsi think we see who dr fauci is in bed with and its not the american people wrote one infowars commenterfauci is nothing more than a modernday joseph mengele wrote another experimenting on humans touting and collaborating with eugenics fanatics denying empirically effective and inexpensive treatments fauci is the 21st century angel of death", + "https://www.naturalnews.com/", + "FAKE", + 0.06701038159371493, + 598 + ], + [ + "Coronavirus – 5G Prison For Children", + "coronavirus could be a 5g prison for children with global lockdowns being used by authorities as a ruse to install 5g infrastructure in schools", + "Facebook", + "FAKE", + 0, + 24 + ], + [ + null, + "so bill gates is launching implantable chips thatll show whether a person has been tested vaccinated for corona these microchips will be planted on the skin leaving identification quantum dots that can also be used as a form of id", + "twitter", + "FAKE", + 0, + 40 + ], + [ + "THE FULL STORY BEHIND “FAUCI’S” 3.7 MILLION TO WUHAN, FLU/CV OVERLAP & IT WAS ALWAYS ISRAELGATE", + "welcome to the daily wrap up a concise show dedicated to bringing you the most relevant independent news as we see it from the last 24 hours 5219\nas always take the information discussed in the video below and research it for yourself and come to your own conclusions anyone telling you what the truth is or claiming they have the answer is likely leading you astray for one reason or another stay vigilant", + "https://www.thelastamericanvagabond.com/", + "FAKE", + 0.26666666666666666, + 74 + ], + [ + "COVID-19: The Spearpoint for Rolling Out a “New Era” of High-Risk, Genetically Engineered Vaccines", + "for weeks talking heads have been promoting the liabilityfree vaccines that will save the worldso bill gates and tony fauci proclaimfrom what gates has now dubbed pandemic i as microsoft news peddles selfcongratulatory stories about the gates foundations reorientation of its priorities to devote total attention to the pandemic faucimaking the rounds of talk showspledges that a vaccine will make its debut in january 2021 not to be outdone the white house has now unveiled operation warp speeda joint pharmaceuticalgovernmentmilitary effort aimed at substantially shrinking the development time for a vaccineand president trump promises one by the end of the yearplanetwide covid19 vaccinationthe overt objective that has all of these players salivating in anticipationignores a number of irrefutable obstacles for one the rna virus being targeted sarscov2 already has mutated into at least 30 different genetic variants the variants include 19 never seen before as well as rare changes that scientists had never imagined could happen knowledge about these mutations may prove useful to clinicians wanting to better tailor their covid19 treatments but the proliferation of mutations makes the chances of developing an effective vaccine immensely more uncertainnot to worry say the entities funded by gates and also the pentagon scientists working in the burgeoning field of synthetic biology are confident that they can outdo and outsmart nature using nextgeneration vaccine technologies such as gene transfer and selfassembling nanoparticlesalong with invasive new vaccine delivery and recordkeeping mechanisms such as smartphonereadable quantum dot tattoos does it matter that the researchers who have been experimenting with these approaches have never been able to overcome nasty side effects apparently not aided and abetted by the generous gates and military funding highfanfare covid19 vaccine planning is proceeding apaceresearchers reiterated this point that for most emerging virus vaccines the main obstacle is not the effectiveness of conventional approaches but the need for more rapid development and largescale deploymentspeed not safety\nfrom a manufacturing standpoint vaccine makersand particularly those making viral vaccineshave long chafed at the limitations of traditional vaccine technologies which rely on processes that necessarily entail a considerable lag time between antigen production and vaccine delivery researchers reiterated this point again in 2018 writing in nature reviews drug discovery that for most emerging virus vaccines the main obstacle is not the effectiveness of conventional approaches but the need for more rapid development and largescale deploymentin the 1980s manufacturers were elated when scientists developed new genetic engineering techniques recombinant dna technology thatthrough the use of expression systems bacteria yeast insect cells mammalian cells or plants such as tobaccomade it possible to jumpstart vaccine production and produce socalled subunit vaccines the hepatitis b vaccine was the first to employ this entirely new vaccine production approach and a number of the covid19 vaccines currently in the works are deploying these techniques however a complicating factor of subunit vaccines is that they must be bundled with immunopotentiating adjuvants that tend to trigger an imbalanced immune responsedesirous of streamlining vaccine technology still further and enabling vaccine stockpiles in an even shorter time frame researchers began tinkering in the mid1990s with nucleic acid vaccines which include dna vaccines and messenger rna mrna vaccines as a form of gene therapy both represent a significant departure from classical vaccines whereas the latter introduce a vaccine antigen to produce an immune response nucleic acid vaccines instead send the body instructions to produce the antigen itself as one researcher explains the nucleic acids cause the cells to make pieces of the virus with the goal being that the immune system then mounts a response to those pieces of the virusresearchers quickly learned that both the dna and mrna vaccine options have serious downsides and as a result vaccines of this type have never been licensed nonetheless almost onefourth 2083 of the vaccines listed by the world health organization as covid19 candidate vaccines as of april 23including two of the leading contendersare dna inovio or mrna moderna vaccines see tabledna vaccines by definition come with the risk of integration of exogenous dna into the host genome which may cause severe mutagenesis and induced new diseasesdna vaccines\ndna vaccines are intended to penetrate all the way into a cells nucleus according to one biotech scientist this is an incredibly difficult task given that our nuclei have evolved to prevent any foreign dna from entering think viruses not surprisingly then when some dna vaccines made it into clinical trials in the late 2000s they were plagued by suboptimal potency scientists then came up with the idea of solving this problem by augmenting vaccine delivery with electroporationelectric shocks applied to the vaccine site using a smart device to make cell membranes more permeable and force the dna into the cells the improvements in vaccine efficacy were significant enough that electroporation remains a key design feature of some covid19 vaccine candidates today including the moderna vaccine that is now speeding toward phase 2 clinical trialsa second aspect of dna vaccinestheir genealtering propertiesis even more troubling and remains unresolved dna vaccines by definition come with the risk of integration of exogenous dna into the host genome which may cause severe mutagenesis and induced new diseases framed in more understandable terms disruption from dna is like inserting a foreign ingredient in an existing recipe which can change the resulting dish the permanent incorporation of synthetic genes into the recipients dna essentially produces a genetically modified human being with unknown longterm effects speaking of dna gene therapy one researcher has stated genetic integrations using viral gene therapies can have a devastating effect if the integration was placed in the wrong spot in the genome discussing dna vaccines specifically the harvard college global health review elaboratesmrna vaccines because mrna vaccines are particularly suited to speedy development it is perhaps unsurprising that they are attracting attention as the coronavirus frontrunners mrna vaccines can reportedly generate savings of months or years to standardize and ramp up mass production making lemonade out of lemons insiders casually state that while no mrna vaccine has ever been licensed the threat of a pandemic is a great incentive to accelerate their progress\ncompanies are enamored of the mrna approach despite observations that the large mrna molecules are intrinsically unstable prone to degradation and may overactivate the immune system on the plus side from vaccine scientistsstandpoint mrna vaccines need only reach the cell cytoplasm rather than the nucleusan apparently simpler technical challengealthough the approach still demands delivery technologies that can ensure stabilization of mrna under physiological conditions formulations such as modernas mrna1273 vaccine tackle these challenges by using chemical modifications to stabilize the mrna and liquid nanoparticles to package it into an injectable formmrna approaches seem to attract researchers with a highly mechanistic view of human beings one such individual praises mrna for its inherent programmability stating much like a computer operating system mrna therapy can reprogram ones body to produce its own therapies emphasis in original the ceo of moderna describes mrna approacheswhich use custombuilt strands of mrna to turn the bodys cells into ad hoc drug factoriesas being like software you can just turn the crank and get a lot of products going into development likewise the journal nature commenting on mrna technology from a biotech and industrial perspective enthuses that the approach allows rapid refinement with almost limitless combinations of derivatives\nvaccine researchers familiar with both dna and mrna vaccines like to play up mrna vaccine safety citing the fact that the vaccines do not have to penetrate the cell nucleus however with years of mrna vaccine experimentation behind them none of these researchers has yet achieved licensure why one answer may be that in preclinical studies mrna vaccines have displayed an intrinsic inflammatory component that makes it difficult to establish an acceptable riskbenefit profile mrna enthusiasts admit that there is as yet an inadequate understanding of the inflammation and autoimmune reactions that may result this raises many questions about what will happen if regulators grant the manufacturers of covid19 mrna vaccines their wish for a fasttrack process to get mrna vaccines to people soonerracing toward profitsthe hijacking of nearly all economic social artistic and religious activity by sarscov2 is disturbing on many levels not least because of what it reveals about the publics uncritical acceptance of official spin and its yearning for medical silver bullets as a vaccine researcher at swedens karolinska institute has statedthe rush to develop genetampering covid19 vaccines is also accelerating the conjoinedtwins fusion of pharma and biotech the lucrative biopharma sector is now the fastestgrowing segment of the global drug industry currently representing 20 of the worldwide market and displaying an annual growth rate that is more than double that of conventional pharma and covid19 vaccines are helping rescue some biopharma companies shaky bottom lines in 2017 for example moderna was struggling to keep afloat its brash promise to reinvent medicine after an experimental therapy that it was counting on proved too unsafe to test in humans fast forward to 2020 when bad news about the coronavirus is good news for moderna stock other biopharma companies formerly on the skids are likewise poised to make record profits from covid19as biopharma pursues its unfettered medicalethicsbedamned race toward a covid19 pot of gold the public needs to take a critical look at the industrys disincentives for safety and also take a firm stand against the horrifying prospect of coronavirus vaccine mandates otherwise genetically engineered covid19 vaccines are likely to start permanently altering genes triggering autoimmunity and serving as the catalyst for other vaccine injuries or deaths andunhampered by any legal liabilitynone of the commercial or government actors responsible will likely care", + "https://childrenshealthdefense.org/", + "FAKE", + 0.05476317799847212, + 1597 + ], + [ + "A Cheap Cure for Coronavirus Is Here", + "the hysterical overreaction to the coronavirus has driven our own government to virtually shut down the entire country along with its economy while we must be diligent to do what we can by washing our hands not going to work when were sick and taking special precautions for senior citizens with health problems there is no need speaking only for myself to shut down the entire united states to deal with it while the search for a vaccine continues the good news is that a silver bullet may have been found a cheap generic medication that was developed decades ago in 1944 to deal with malaria the drug is chloroquine phosphate an oldfashioned antimalarial drug which has proven effective against coronavirus in china and south korea says abc laboratory studies show chloroquine is effective at preventing as well as treating the virus that causes severe acute respiratory syndrome or sars a close cousin of covid19 there are no less than three studies that demonstrate the effectiveness of chloroquine against the coronavirus one is a study conducted by james m todaro and gregory j rigano in association with stanford university school of medicine and national academy of sciences researchers \nheres what the summary of their study says emphasis mine recent guidelines from south korea and china report that chloroquine is an effective antiviral therapeutic treatment against coronavirus disease 2019 use of chloroquine tablets is showing favorable outcomes in humans infected with coronavirus including faster time to recovery and shorter hospital stay us cdc research shows that chloroquine also has strong potential as a prophylactic preventative measure against coronavirus in the lab while we wait for a vaccine to be developed chloroquine is an inexpensive globally available drug that has been in widespread human use since 1945 against malaria autoimmune and various other conditions the study concludes this way chloroquine can both prevent and treat malaria chloroquine can both prevent and treat coronavirus in primate cells according to south korean and china human treatment guidelines chloroquine is effective in treating covid19 given chloroquines human safety profile and existence it can be implemented today in the us europe and the rest of the world medical doctors may be reluctant to prescribe chloroquine to treat covid19 since it is not fda approved for this use the united states of america and other countries should immediately authorize and indemnify medical doctors for prescribing chloroquine to treat covid19 we must explore whether chloroquine can safely serve as a preventative measure prior to infection of covid19 to stop further spread of this highly contagious virus \nchloroquine can be prescribed to adults and children of all ages it can also be safely taken by pregnant women and nursing mothers the fact that it can be prescribed for patients of all ages means our priority should be to make this available as soon as humanly possible to senior citizens who are the most vulnerable demographic here is the abstract from a study conducted in chinathe coronavirus disease 2019 covid19 virus is spreading rapidly and scientists are endeavoring to discover drugs for its efficacious treatment in china chloroquine phosphate an old drug for treatment of malaria is shown to have apparent efficacy and acceptable safety against covid19 associated pneumonia in multicenter clinical trials conducted in china the drug is recommended to be included in the next version of the guidelines for the prevention diagnosis and treatment of pneumonia caused by covid19 issued by the national health commission of the peoples republic of china for treatment of covid19 infection in larger populations in the future and here is an abstract from a study reported in the journal nature its titled remdesivir and chloroquine effectively inhibit the recently emerged novel coronavirus 2019ncov in vitrochloroquine a widelyused antimalarial and autoimmune disease drug has recently been reported as a potential broadspectrum antiviral drug chloroquine is known to block virus infection by increasing endosomal ph required for viruscell fusion as well as interfering with the glycosylation of cellular receptors of sarscov our timeofaddition assay demonstrated that chloroquine functioned at both entry and at postentry stages of the 2019ncov infection in vero e6 cells chloroquine is widely distributed in the whole body including lung after oral administrationchloroquine is a cheap and a safe drug that has been used for more than 70 years and therefore it is potentially clinically applicable against the 2019ncovwell if the problem is fda approval for this use trump can direct the fda to accelerate the approval process and get this thing in circulation and the beauty here is that the drug could be prescribed today right now no need to wait trump should persuade congress to immediately authorize doctors to prescribe it and indemnify them against any lawsuits because chloroquine is a generic drug no pharmaceutical companies will have any interest in producing it since they cant make any money off it theyll want to convince us all that the only solution is a vaccine which hasnt even been approved yet by the time we wait for all that to happen there may be many lives lost and no economy left to save the uk has actually banned the export of chloroquine likely because they know it works and they want to have existing supplies in reserve for their own citizens britain first and all that medical professionals in both china and south korea have developed effective treatment measures using chloroquine for patients with covid19 so theres no need to reinvent the wheel the drug works studies showed certain curative effect with fairly good efficacy patients treated with chloroquine demonstrated a better drop in fever improvement of lung ct images and required a shorter time to recover than untreated patients so it can actually cure people who have coronavirus end their fevers and shorten their time in hospital this can keep our health system from getting overloaded and collapsing under its own weight if the drug is preventative as well as curative you would expect to find the countries that have malaria and therefore have used chloroquine for decades would have lower rates of coronavirus if this theory is correct dr roy spencer plotted the data for 234 countries comparing total cases of covid19 to the incidence of malaria he was astonished at what he found in the top 40 malaria countries with an average of 212 cases of malaria per thousand the rate of covid19 is 02 cases per thousand in the 153 countries with no malaria the rate is 687 cases of coronavirus per thousand when dr spencer mapped all this out the conclusion was unambiguous covid19 is where malaria is not said dr spencer in all my years of data analysis i have never seen such a stark and strong relationship countries with malaria basically have no covid19 cases this is where congress could actually do something intelligent by taking some of the billions and billions and billions of dollars they are mindlessly throwing at this problem and targeting it to fund mass production of this medicine nobody will mind if they provide a profit margin to big pharma in the process if it will save countless lives and pull our economy back from the abyss while we wait for the vaccine since chloroquine can not only prevent the disease but cure it we can begin to see immediate effects we can get past this irrational outofcontrol economydestroying hysteria save lives and get the american economy back on its feet and humming in weeks not months there is no time to lose president trump over to you", + "https://afa.net/", + "FAKE", + 0.1475283446712018, + 1259 + ], + [ + "Shanghai Government Officially Recommends Vitamin C for COVID-19", + "the government of shanghai china has announced its official recommendation that covid19 should be treated with high amounts of intravenous vitamin c 1 dosage recommendations vary with severity of illness from 50 to 200 milligrams per kilogram body weight per day to as much as 200 mgkgday\nthese dosages are approximately 4000 to 16000 mg for an adult administered by iv this specific method of administration is important says intravenous therapy expert atsuo yanagisawa md phd because vitamin cs effect is at least ten times more powerful by iv than if taken orally dr yanagisawa is president of the tokyobased japanese college of intravenous therapy he says intravenous vitamin c is a safe effective and broadspectrum antiviral\nrichard z cheng md phd a chineseamerican specialist physician has been working closely with medical and governmental authorities throughout china he has been instrumental in facilitating at least three chinese clinical iv vitamin c studies now underway dr cheng is presently in shanghai continuing his efforts to encourage still more chinese hospitals to implement vitamin c therapy incorporating high oral doses as well as c by iv\ndr cheng and dr yanagisawa both recommend oral vitamin c for prevention of covid19 infection\nan official statement from xian jiaotong university second hospital 2 readson the afternoon of february 20 2020 another 4 patients with severe new coronaviral pneumonia recovered from the c10 west ward of tongji hospital in the past 8 patients have been discharged from hospital highdose vitamin c achieved good results in clinical applications we believe that for patients with severe neonatal pneumonia and critically ill patients vitamin c treatment should be initiated as soon as possible after admission early application of large doses of vitamin c can have a strong antioxidant effect reduce inflammatory responses and improve endothelial function numerous studies have shown that the dose of vitamin c has a lot to do with the effect of treatment hghdose vitamin c can not only improve antiviral levels but more importantly can prevent and treat acute lung injury ali and acute respiratory distress ards", + "http://archive.vn/", + "FAKE", + 0.15297093382807667, + 343 + ], + [ + "Dr. Fauci sat on Microsoft’s board of directors.", + "i bet you didnt know dr fauci sat on microsofts board of directors and that bill gates was his boss", + "Facebook", + "FAKE", + 0, + 20 + ], + [ + "Pandemic pandemonium provides opportunity for authoritarians and sociopaths to exploit and control people", + "china was the perfect playground for a labcreated virus to break containment sequencing of the virus shows that it was a manipulated strain pieced together with virulent properties from sars mers and hiv it doesnt matter what the authorities say about its origin whether it came from bats or the illegal animal markets in china all the confusion and pandemonium began in china and has set the stage for authoritarians and sociopaths to deceive and take advantage of people throughout the world china has at least a hundred million people in some form of lock down and chinese citizens and healthcare workers are being censored or persecuted for speaking out about whats happeningthe virus has become a tool an opportunity for authoritarians to seek control\nbefore chinese authorities declared an outbreak the country was experiencing widespread upheaval with revolutionaries challenging the communist authorities in the city streets the chinese government needed a reason to clear the streets to take complete control over the people with fear and force china was fertile ground for an outbreak for an oppressive government to take over to round people up but were all told to blame the virusheavilypolluted chinese cities provide the perfect cover for the coronavirus narrative physicists from the university of california berkeley calculated that 16 million people in china die each year from heart lung and stroke problems caused by chinas heavily polluted air this level of pollution has set the stage for wide scale weakness of heart lung and immune system health china is fertile ground for an outbreak as viruses can readily take advantage of immunecompromised populations but were told to just blame the viruwuhan the city where the outbreak was first declared had previously unleashed 5g wireless technology one month before people began falling sick with flulike illnesses wuhan on its way to becoming a smart city was one of the first cities to test out its new grid of millimeter wave microwave radiation 5g has been banned in some cities because it can cause flulike illnesses and has been documented as a source of chromosomal breaks in dna oxidative damage to cells and much more wuhan was fertile ground for respiratory viruses to take advantage of the population because many unknowing people were having their innate immune cells oxidized by an influx of wireless radiation but were told to just blame the virus\nhow long will the pandemonium of this virus continue and will the panic equally apply to other viruses in the futurehow long will the pandemonium continue does anyone care that diagnostic tests are worthless for accurately defining coronavirus cases does anyone realize how easily case numbers can be inflated driving hysteria through the news and into a community does anyone care that milder cases can be left out of the data raising the death ratehow many people die annually from complications with the flu pneumonia and sepsis how many people around the world are suffering from vaccinederived polio what about typhus and hepatitis spreading in california why do children suffer from acute flaccid myelitis and rsv in the future will every fever and respiratory virus be treated with such authoritarian force and hysteria why are we supposed to fear this virus more than all the others its all about control\nthe world health organization praising china for its pandemic response has inadvertently pressured governments around the world to take advantage of the pandemonium to exert force and control in america the news media has broadcast nonstop fear coaxing the federal government to respond in heroic fashion\ntrying to keep the markets from plummeting the trump administration has enacted the strictest quarantine measures in american history its all a charade of protection because the immunecompromised american population are sitting ducks anyway the trump administration is falling in line and giving the cdc over 8 billion to come up with a vaccine and to pump out new antiviral drugs that will inevitably resemble dangerous and ineffective tamiflu by the time the vaccine comes around the number of coronavirus cases will inevitably have trickled down like all historical incidences of infectious disease but the vaccine will be heralded for saving humanity like polio vaccines wereas the media tells us all to be afraid of a virus governments and pharmaceutical companies are taking this as a great opportunity an opportunity to control people mentally and physically and to exploit our faith as everyone looks to them for the answers the world need not fear a new novel coronavirus the world should be wary of the loss of liberty and mobility that may result from this pandemonium mandatory vaccine laws enacted by a fullyfunded who and a paramilitary cdc we should fear the invention of national ids drivers licenses andor passports that require everyone to submit to vaccines we should be repulsed by the potential for roadside checkpoints and airports that could require vaccine administration and further testing of peoples body fluids we should be wary that authoritarians will put cities and public events on lock down or how the military could be used to round people up or quarantine individuals over a fever because of the hysteria and pandemonium we are slowly losing the freedom to congregate and the ability to travel abroadthese extreme measures will further convince people that the virus is dangerous that we all need to secure order but this authoritarian approach and its effects do not confirm that the virus is the problem or that those in charge are of goodwill the virus is an opportunity a tool for sociopaths and authoritarians to exert mass control", + "https://www.naturalnews.com/", + "FAKE", + 0.04559228650137742, + 932 + ], + [ + "While you’re terrified of Covid-19, some climate alarmists are overjoyed because, for them, fear is… an OPPORTUNITY", + "many hardline environmentalists are overjoyed at the atmosphere of fear that covid19 has created for them it is an instrument for realising the dream of a society that runs according to climate alarmists dogma some believe the pandemic is a onceinageneration chance to remake society and build a better future argues one advocate of climate alarmism so in case you thought that covid19 is a global pandemic of catastrophic proportions think again in the west hardline environmentalists are working overtime to portray covid19 as payback for all the miseries that humans have inflicted on the planet they claim that global warming species extinction the emergence of superbugs and the eating of meat are somehow directly or indirectly linked to the outbreak of the current pandemic they regard the fears and anxiety generated by the current public health emergency as an opportunity to promote the message that unless we accept their dogma humanity will become extinct some of them are positively overjoyed at the opportunity created by the climate of fear thats allpervasive across the world weve been trying for years to get people out of normal mode and into emergency mode enthused margaret klein salamon who heads the advocacy group the climate mobilization she added that what is possible politically is fundamentally different when lots of people get into emergency mode when they fundamentally accept that theres danger and that if we want to be safe we need to do everything we can keeping people in a state of fear of what they euphemistically describe as emergency mode is the objective of klein salamon as she stated now the challenge is to keep emergency mode activated about climate thats another way of saying that perpetuating indeed institutionalising a climate of fear is the main objective of this movement from this perspective covid19 is not so much a tragic public health issue but an instrument for realising the dream of a society that runs according to the environmentalist dogma of misanthropic miserabilism what green fear entrepreneurs really hate is the spirit of human ambition that refuses to defer to the dictates of nature this is a spirit that is open to taking risks in order to transform the world through the use of science and technology from the time when humans stepped out of their caves to taking the risk of travelling to space there were always those who decided to do what was necessary to conquer their fears the refusal not to give in to fears is always the first step towards looking for solutions that will allow us to assume greater control over our lives it is precisely this aspiration to take control and harness the power of nature and science that climate alarmists despise they despise it so much that they have coined the term human impact to suggest that what people have done to the planet is by definition wholly destructive they hate humans impact on the world so much that many of them want to dramatically decrease the number of babies that are born according to the climate alarmist narrative being scared for your life is the desirable state to be in as klein salamon indicated we need to learn to be scared together to agree on what were terrified about why because collective fears will force governments to act back in the 17th century the english philosopher thomas hobbes anticipated the green politics of fear in his classic text the leviathan hobbes claimed that it is good when people are scared and frightened why because in their state of fear people will readily subject themselves to an absolutist ruler in exchange for his protection one does not need a phd in philosophy to understand that climate alarmist politics leads straight to the doorstep of the leviathan", + "https://www.rt.com/", + "FAKE", + 0.03199855699855699, + 631 + ], + [ + "UPDATES Wuhan Virus", + "microsoft says bill gates is stepping down from the companys board did he get caught for helping the communists engineer the wuhan virus panic gates president xi appear pretty chummy\n\n\njerry falwell could the virus be the christmas gift that communist leader kim jongun promised to america very likely\n\n\npresident trump closed americas borders to communist china on january 31 7 weeks later europe is finally doing the same what took so long merkel is a research chemist quantum physicist knows virus she either knew it wasnt a threat or didnt care\n\n\ntrumps task force announced a new vaccine for wuhan virus is ready for testing in clinical trial the fastest rollout in history 13 others are working on treatments or vaccines\n\n\nthe fda approved the roche wuhan virus test that is 10 times faster than the current test trump cutting all unnecessary regulations\n\n\nthe cdc is recommending that public gatherings of 10 or more people over the next 8 weeks be postponed or cancelled why to stop foreign contamination by carriers\n\n\nbiden tweeted its safe for healthy people to vote on tuesday but older people should vote by absentee ballot so its ok for young people to go out spread virus to others before they are tested thats not what biden said last week as i mentioned this is the democrats absentee ballot rigging plan\n\n\nhouse testimony reveals democrats scientific experts told trump not to stop travel from china in january he did it anyway\n\n\nwe were told cpac had an infected attendee in close contact with dozens yet nobody else tested positive was it even real\n\n\ntext message rumors of a national quarantine are fake there is no national lockdown another communist disinformation campaign\n\n\nare democrats also hyping fear to stop census takers going door to door to validate 2020 census responses so we use obamas rigged numbers replies to the census are due by the end of march if you dont reply a census taker will come to your door what if this is another scheme to stop that\n\n\nmarket fell 3000 points on 316 after dozens of nations close their borders and trump declares this could last for months trump best thing i can do for stock market is get through this crisis once virus is gone market will go up like never before\n\n\nexperts say wuhan virus carriers spread infection for 2 months before communist china informed who cdc of problem\n\n\nmodeling shows that if communist china had alerted the cdc of their first virus case in november instead of two months later they would have reduced global transmission death by 80\n\n\nbirx many tests used in other countries to report the of wuhan virus cases have high rates of false positives we dont trust their numbers the fatality rate outside of wuhan is 7 significantly less than what the communist party reported for hubei province\n\n\npresident trump our goal is to get rid of the wuhan virus in america limit deaths markets will take care of themselves\n\n\nmnuchin we intend to keep the markets open americans need access to their money they will not be shut down like after 911 we want all states to make sure they keep the drive through options at banks markets restaurants pharmacies open\n\n\nhuge mike pompeo trashed the leadership of iran and called them communist chinas accomplices in spreading the wuhan virus\n\n\nchina is kicking american reporters out of the country due to wuhan virus further proof that communist china has a lot to hide\n\n\nmodels show that 86 of wuhan virus carriers never get sick or have symptoms yet they easily transmit the hidden virus to others thats why the virus is so insidious and contagious because people dont know they have it and transmit it to others thats why we need to isolate\n\n\nwhile they distracted us with impeachment they unleashed the virus and created a narrative to destroy trumps economy the only tactic they had left just like they unleashed the swine flu virus in 2009 to infect 61 million kill 12469 to convince the us to pass obamacare \n\n\ncommunist china quietly bought up the worlds supply of respirators masks in 24 hours on the cheap to price gouge the planet\n\n\nstaff at seattle nursing home in gates backyard where half the us deaths are from spread virus to other facilities in washington\n\n\ndemocrats are calling on trump to suspend sanctions tariffs on nations like communist china russia iran to help our enemies\n\n\npresident trump this virus is very contagious it spreads violently it spreads very fast nobodys seen anything like this\n\n\npresident trump there will be a comeback very quickly as soon as this is solved it will be solved we will win\n\n\npresident trump the virus came from china i want to be accurate some people could say it was somebodys fault\n\n\nbill gates father is a depopulation advocate who sat on boards of costco pacific health planned parenthood world justice\n\n\nchinese labs discovered the new virus in late december but were ordered by the communist party to destroy samples cover it up\n\n\npresident trump the virus came from china china said it came from the us army im not going to let them get away with that lie\n\n\npresident trump announced we are at war against the chinese virus implying it was an intentional act of war against the us invoked the defense powers act\n\n\nwhy did the commies unleash swine flu in 2009 to infect 61 million kill 12469 to convince the us to pass obamacare it worked\n\n\nreporter tom cotton is saying china should be punished for inflicting this virus on the american people do you agree\n\n\ntrump i have a lot of respect for tom cotton i know exactly what hes been saying well see\n\n\nreporter the wall street journal reports that you are writing an executive order calling for an investigation into how this virus started is that true\n\n\ntrump i have not seen that article\n\n\nin other words yes and yes\n\n\ncommunist china ordered its scientists to win the race to develop a vaccine im guessing they already have one will use it as leverage sca\ncommunist china announced they have no new cases in wuhan what do you bet they killed off dissidents vaccinated the resti suggest everyone turn off the news watch the presidents daily press conferences theres no better source for truthrick wilson a never trump gop strategist who used to work for jeb bush carly fiorina tweeted he hopes melania is infectedpresident trump is handselecting the most venomous reporters for his wuhan virus press conferences to show americans how much the media hates usmuhammad masood 28 a pakistani doctor here on a work visa at the mayo clinic in rochester minnesota was planning isis terror attacks what else is our enemy planning as we are distracted with wuhan virusbloomberg spent 500 million attacking trump but laid off hundreds of staffers due to wuhan virus that he promised to pay through november hypocritenew polls show 5560 of americans approve of president trumps job on the wuhan virusdue to the medias fear mongering 79 fear catching itchinas communist party is now calling wuhan virus a trumpandemic who do think the american people will side with trump or xivictor davis hanson china knew that this virus was not only epidemic but infectious and could be deadly to older people they didnt tell anybody they didnt tell us in fact they did something far worse they accused us of causing it and then they threatened to cut off supplies of medical needs and pharmaceuticals\ncan we freeze the us assetsproperties of chinese communist party officials who did this wipe their trillion debt from the bookspresident trump says hes ok with forbidding corporate buybacks as a condition of bailing out airlines cruise hotel industrieshuge 90 of those in us with symptoms have a flu or cold virus other than wuhan 50 of wuhan cases are in 3 states 10 countiesobamas regulations only allowed 3m to distribute 15 of their mask production to hospitals no wonder there were shortagespence 3m in minnesota has the capability to produce 35 million masks per month but former regulations only allowed them to distribute 5 million of the 35 million masks to hospitals we got rid of those obstacles last night with new legislationimho the communist party of china used what we in marketing call the hubspoke concept of transmission they barricaded the landlocked city of wuhan to keep their people in and protect the rest of china while allowing virus carriers to fly out and infect the world pure evilhow many members of congress knew of the communists wuhan virus scheme and sold off stocks before the market started crashing so far there are accusations against feinstein burr loeffler none provenformer fema chief walked off msnbc when they starting spinning for china i dont have to sit listen to these bullt peoplea mob of teenagers in kenya surrounded a man and beat him to death because he was suspected of having wuhan virustrump the ceo of carnival cruise lines contacted me and offered the use of his ships for medical purposes should we need themjie li a chinese national who worked for biogen spread wuhan virus at a boston conference hid her fever at the la airport fled to china40 of the 256 cases of wuhan virus in massachusetts are tied to one chinese national who infected biogens meeting at a boston marriottwuhan virus cases in indiana tennessee north carolina all came from exposure at this one biogen conference in bostonseattle los angeles boston northern italy new york were all infected by 30ish chinese virus carriers who flew in directly from wuhan or irantrump were asking leaders to join us save lives we can bring our finances back quickly we cant bring the people backpence the risk of complications from the wuhan virus is very low but it spreads fast is about 3 times as contagious as the fluit appears most transmission comes from infected hard surfaces and thankfully the virus dies on most surfaces within daysexperts say the global 1918 flu pandemic that killed 50 million also started in china most flu viruses originate theremaybe the wuhan flu is the wake up call that america needs imagine the money time and human life we would save by closing our borders and rethinking our immigration policieseach year up to 20 of the us population is infected with flu imported from china resulting in 314 million outpatient visits 200000 hospitalizations and up to 80000 deaths that translates to 55 billion each year in medical costs lost earnings and lost productivityamazon is hiring 100000 workers kroger is hiring 200000 walmart is hiring 150000 at higher wage as shoppers surgeits been 2 weeks since california voted 458000 ballots still havent been counted takes a long time to rig votes in the 3rd world during a pandemictrump administration announced tax day will be moved from april 15 to july 15 all taxpayers and businesses will have this additional time to file and make payments without interest or penalties if you are owned a refund file now to get your moneythe communist party of china says their stock market is doing fine so invest in china instead of the us send money now lies the communist party is on the verge of collapse chinas economy is down 76 ready to implode they will do say anythingcommunists provided who with the dna sequence of wuhan virus the day before the 1st person died in china more proof they made it and likely have a vaccinecommunist china is saying its wrong for trump to want to start moving prescription drug manufacturing back to the us from china they want to be able to strangle our medical supply again in the future no freaking waypompeo all nonessential travel will stop between the us canada mexico all americans should avoid international travelhillary biden klobuchar wyden have all called for total vote by mail told ya this is their plan to rig absentee ballots in the generalwashington state is total votebymail bill gates home thats why theyre choking blue flooded with antifa ground zero for wuhan virustrump the cdc has given border patrol the authority tools to stop all transmission across our northern southern borderstrump infected foreigners are flying to mexico canada and then trying to sneak into america that must stop to protect our continentdhs asylum seekers with no documents from over 120 infected countries are arriving at both us borders they will not be let inpompeo disinformation is being spread on social media by communist actors saying the virus came from the us army russia communist china iran are coordinating efforts to disparage blame the american people create widespread panicpompeo i have seen the media report my statements wildly inaccurately many times they have a responsibility to tell the truthhow can china calculate a fatality rate for the wuhan virus in the 80 age group when people were simply left to die with no food they cant the bank of china was caught laundering money in italy so the communists created a social media campaign called hug a chinese to shame italians as racist it worked to spread the virus fastwhy was italy heavily infected with virus because they lie about their death rate because they partnered with communist china on 5g and their one belt one road scheme ", + "https://www.tierneyrealnewsnetwork.com/", + "FAKE", + 0.06825087610801896, + 2239 + ], + [ + "Who Made Coronavirus? Was It the U.S., Israel or China?", + "it might be possible that washington has created and unleashed the virus in a bid to bring beijings growing economy and military might down a few notchesthe most commonly reported mainstream media account of the creation of the coronavirus suggests that it was derived from an animal borne microorganism found in a wild bat that was consumed by an ethnic chinese resident of wuhan but there appears to be some evidence to dispute that in that adjacent provinces in china where wild bats are more numerous have not experienced major outbreaks of the disease because of that and other factors there has also been considerable speculation that the coronavirus did not occur naturally through mutation but rather was produced in a laboratory possibly as a biological warfare agent\nseveral reports suggest that there are components of the virus that are related to hiv that could not have occurred naturally if it is correct that the virus had either been developed or even produced to be weaponized it would further suggest that its escape from the wuhan institute of virology lab and into the animal and human population could have been accidental technicians who work in such environments are aware that leaks from laboratories occur frequentlythere is of course and inevitably another theory there has been some speculation that as the trump administration has been constantly raising the issue of growing chinese global competitiveness as a direct threat to american national security and economic dominance it might be possible that washington has created and unleashed the virus in a bid to bring beijings growing economy and military might down a few notches it is to be sure hard to believe that even the trump white house would do something so reckless but there are precedents for that type of behavior in 20059 the american and israeli governments secretly developed a computer virus called stuxnet which was intended to damage the control and operating systems of iranian computers being used in that countrys nuclear research program admittedly stuxnet was intended to damage computers not to infect or kill human beings but concerns that it would propagate and move to infect computers outside iran proved to be accurate as it spread to thousands of pcs outside iran in countries as far flung as china germany kazakhstan and indonesiainevitably there is an israeli story that just might shed some light on what has been going on in china scientists at israels galilee research institute are now claiming that they will have a vaccine against coronavirus in a few weeks which will be ready for distribution and use within 90 days the institute is claiming that it has been engaged in four years of research on avian coronavirus funded by israels ministries of science technology and agriculture they are claiming that the virus is similar to the version that has infected humans which has led to breakthroughs in development through genetic manipulation but some scientists are skeptical that a new vaccine could be produced so quickly to prevent a virus that existed only recently they also have warned that even if a vaccine is developed it would normally have to be tested for side effects a process that normally takes over a year and includes using it on infected humanschina western china bashing vs western biowarfareif one even considers it possible that the united states had a hand in creating the coronavirus at what remains of its once extensive biological weapons research center in ft detrick maryland it is very likely that israel was a partner in the project helping to develop the virus would also explain how israeli scientists have been able to claim success at creating a vaccine so quickly possibly because the virus and a treatment for it were developed simultaneouslyin any event there are definite political ramifications to the appearance of the coronavirus and not only in china in the united states president donald trump is already being blamed for lying about the virus and there are various scenarios in mainstream publications speculating over the possible impact on the election in 2020 if the economy sinks together with the stock market it will reflect badly on trump whether or not he is actually at fault if containment and treatment of the disease itself in the united states does not go well there could also be a considerable backlash particularly as the democrats have been promoting improving health care one pundit argues however that disease and a sinking economy will not matter as long as there is a turnaround before the election but a lot can happen in the next eight monthsand then there is the national securityforeign policy issue as seen from both jerusalem and washington it is difficult to explain why coronavirus has hit one country in particular other than china very severely that country is iran the oftencited enemy of both the us and israel the number of irans coronavirus cases continues to increase with more positive tests confirmed among government officials last saturday there were 205 new coronavirus cases bringing the government claimed total to 593 with 43 fatalities though unofficial hospital reports suggest that the deaths are actually well over 100 thats the highest number of deaths from the virus outside of chinano less than five iranian members of parliament have also tested positive amid a growing number of officials that have contracted the disease irans vice president masoumeh ebtekar and deputy health minister iraj harirchi had also previously been confirmed with the virusthe usual suspects in the united states are delighted to learn of the iranian deaths mark dubowitz executive director of the washingtonbased but israeli government connected foundation for defense of democracies fdd boasted on twittertuesday that coronavirus has done what american economic sanctions could not shut down nonoil exports an iranian government spokesman responded that its shameful and downright inhuman to cheer for a deadly virus to spread and enjoy seeing people suffer for it dubowitz followed up with an additional taunt that tehran has spread terrorism in the middle east and now its spreading the coronavirusso you have your choice coronavirus occurred naturally or it came out of a lab in china itself or even from israel or the united states if one suspects israel andor the united states the intent clearly would have been to create a biological weapon that would damage two nations that have been designated as enemies but the coronavirus cannot be contained easily and it is clear that many thousands of people will die from it unfortunately as with stuxnet once the genie is out of the bottled it is devilishly hard to induce it to go back in", + "https://www.globalresearch.ca/", + "FAKE", + 0.04202178030303029, + 1111 + ], + [ + "5G is life-threatening, and no one knows it", + "5g was dangerous and might be linked to coronavirussince 2019 a number of 5g cell towers had been built around wuhan could the two things be related i have not done a fact check van kerckhoven cautioned before piling in but it may be a link with current events and so the fuse was lit5g is somehow dangerous that 5g worsens the effects of coronavirus by weakening your immune system that 5g outright causes coronaviruslike symptoms that the coronavirus lockdown is being used as cover to install 5g networks that bill gates had something to do with it", + "https://www.hln.be/", + "FAKE", + -0.3, + 98 + ], + [ + "A Word on Coronavirus ", + "i have been receiving feedback for over 22 years from people all around the world who have given testimony of how they recovered their health from vast variety of disease many lifethreatening with mms therefore i have every reason to believe it ccan be effective in stopping and preventing the current novel coronavirus going around today", + "jimhumble.co", + "FAKE", + 0.275, + 56 + ], + [ + "Yes, coronavirus is a BIOWEAPON with gene sequencing that’s only possible if it was genetically modified in a lab", + "the truth about novel coronavirus is starting to trickle its way out of the realm of independent science with new research pointing to strange anomalies in the viruss genetic structure that suggest its more than likely a bioweapon published in the online journal biorxiv the study found that novel coronavirus contains key structural proteins from hiv entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gag the paper identifies four unique insertions in the viruss spike glycoprotein that arent present in any other form of coronavirus meaning this one is a whole different animal the paper goes into further specifics about how these inserts do not appear to be natural concluding that the engineering of novel coronavirus with these unusual gene sequences is unlikely to be fortuitous in nature again pointing to its unnatural origin almost nobody knows about this study because the mainstream media is ignoring it and its implications and independent media outlets like zero hedge that have dared to report on it are now being systematically censored from twitter and other social media platforms for spreading misinformation be sure to watch the below health ranger report from brighteoncom about the coronavirus situation entitled coronavirus is biological weapon system designed to destroy america was the release of novel coronavirus an accident or intentional based on the information put forth by zero hedge that got the site banned from twitter it appears that novel coronavirus is in fact a manufactured bioweapon the question that remains is whether or not it was accidentally or intentionally released dr peng zhou phd the scientist who zero hedge outed for working with deadly viruses at the wuhan institute of virology very well could have been involved with research on this particular virus that potentially went terribly wrong or its possible that it was developed on purpose as a covert bioweapon to unleash havoc on the world keep in mind that the aforementioned paper has since been retracted meaning someone got to the researchers who published it and pressured them to withdraw it presumably because it contains too much truth theres obviously much more to the story than were all being told and yet the corporate media continues to publish lies or nothing at all about the true origin of novel coronavirus were all expected to just believe the narrative that bats and snakes at a seafood market caused this case closed no doubt the authors of this particular paper have been sufficiently threatened to revise their conclusions and an update of their original paper will soon be posted that effectively denounces everything they stated in the original paper adams contends the criminal wing of the science establishment strikes again of course and this tactic of threatening scientists with loss of funding being blacklisted or even physically threatened and killed is not unusual at all time will tell if anything becomes of politically incorrect science like this that lets the cat out of the bag so to speak its apparently too much truth for the general public to handle so it has to be stifled and buried at least for now to keep up with the latest coronavirus news be sure to check out pandemicnews", + "https://www.dcclothesline.com/", + "FAKE", + 0.0740967365967366, + 537 + ], + [ + null, + "ultraviolet light has been injected into the body for years as a treatment to kill bacteria and viruses ", + null, + "FAKE", + 0.4, + 18 + ], + [ + "Official Statement From China For Recommended Treatment Of COVID-19 Using Vitamin C", + "confirming the reports from small independent studies and 3 clinical trials a shanghai hospital has announced a recommendation to use high dose intravenous treatment of vitamin c to treat covid19 according to the orthomolecular medicine news service the announced official recommendation that covid19 should be treated with high doses of intravenous vitamin c come as welcomed news as the virus continues to spread the dosage recommendation will vary with the severity of illness ranging from 50200 milligrams per kilogram body weight per day to as much as 16000 mgkgdaynote using vitamin c was added to the title on april 13 2020 the doses are ranging from approximately 4000 to 16000 mgs for an adult which is administered by an iv atsuo yanagisawa md phd who is president of the japanese college of intravenous therapy states that this specific method of administration is very important because vitamin cs effects are at least 10 times more powerful when taken by iv rather than orally and that intravenous vitamin c is a safe effective and broadspectrum antiviralrichard z cheng md phd is the associate director for the clinical trials we are proud to say that dr cheng is a fellow and board certified antiaging physician by the american academy of antiaging medicine a4m as well as being a fellow and board certified a4m integrative cancer therapy dr cheng has been working closely with medical and government authorities through china and has been instrumental in facilitating at least 3 of the clinical iv vitamin c studies in china despite most of his work being sensored and blocked by most media dr cheng has been trying to bring this information to the public and will continue his efforts to encourage more hospitals to implement iv vitamin c therapy along with high doses of oral vitamin c as well additionally both dr cheng and dr yanagisawa recommend oral vitamin c for prevention of covid19 comments from dr cheng in february readsvitamin c is very promising for prevention and especially important to treat dying patients when there is no better treatment over 2000 people have died of the coiv19 outbreak and yet i have not seen or heard large dose intravenous vitamin c being used in any of the cases the current sole focus on vaccine and specific antiviral drugs for epidemics is misplacedearly and sufficiently large doses of intravenous vitamin c are critical vitamin c is not only a prototypical antioxidant but also involved in virus killing and prevention of viral replication the significance of large dose intravenous vitamin c is not just at antiviral level it is acute respiratory distress syndrome ards that kills most people from coronaviral pandemics sars mers and now ncp ards is a common final pathway leading to deaththe official statement from xian jiaotong university second hospital reads on the afternoon of february 20 2020 another 4 patients with severe new coronaviral pneumonia recovered from the c10 west ward of tongji hospital in the past 8 patients have been discharged from hospital highdose vitamin c achieved good results in clinical applications we believe that for patients with severe neonatal pneumonia and critically ill patients vitamin c treatment should be initiated as soon as possible after admission early application of large doses of vitamin c can have a strong antioxidant effect reduce inflammatory responses and improve endothelial function numerous studies have shown that the dose of vitamin c has a lot to do with the effect of treatment hghdose vitamin c can not only improve antiviral levels but more importantly can prevent and treat acute lung injury ali and acute respiratory distress ardsthe protocol from the chinese government can be read here they are not blocking this news then why are we not hearing more about this on the news when you can find it published online in many places it does make one wonder but this can be corrected at any time by people sharing the news we have included various links that will take you to the information including the clinical trials to be blunt not sharing or withholding information from the public of potential treatments should be seen as negligence vitamin c is not new it is available and has been proven and used as an antiviral since the 1930s1 vitamin c has been injected at high doses since the 1940s2 and has been used for influenza sars and viral pneumonia in the decades since then3 at my hospital in daegu south korea all inpatients and all staff members have been using vitamin c orally since last week some people this week had a mild fever headaches and coughs and those who had symptoms got 30000 mg intravenous vitamin c some people got better after about two days and most had symptoms go away after one injection hyoungjoo shin mdwe need to broadcast a message worldwide very quickly vitamin c small or large dose does no harm to people and is the one of the few if not the only agent that has a chance to prevent us from getting and can treat covid19 infection when can we medical doctors and scientists put patients lives first richard z cheng md phd international vitamin c china epidemic medical support team leaderwe therefore call for a worldwide discussion and debate on this topic says dr cheng", + "https://www.worldhealth.net/", + "FAKE", + 0.1672317156527683, + 885 + ], + [ + "Coronavirus May Have Originated and Escaped From China’s Only Stage 4 Bioresearch Lab", + "march 20 update border patrol found suspected sars virus and flu samples in chinese biologists luggage fbi report describes chinas biosecurity risk the us customs and border protection cbp agents at detroit metro airport stopped a chinese biologist with three vials labeled antibodies in his luggage in late november 2018 on february 8 we wrote an article a study from study from chinese researchers that showed that coronavirus may have originated from chinas wuhan laboratory the study which was published in the lancet detailed how the first clinical case might have originated from whuan laboratoryaccording to a study written by a large group of chinese researchers from several institutions of the original 40 cases in wuhan the epicenter of the outbreak 14 people who contracted the virus never set foot in the wuhan wildlife market where chinese authorities have claimed the virus originated the study further provides details about the first 41 hospitalized patients who had confirmed infections with what has been dubbed 2019 novel coronavirus 2019ncov in the earliest case the patient became ill on 1 december 2019 and had no reported link to the seafood market the authors reportnow a new report emerged over the weekend that may shed light on the actual origin of the virus at an emergency meeting in beijing held last friday chinese leader xi jinping spoke about the need to contain the coronavirus and set up a system to prevent similar epidemics in the future president xi said a national system to control biosecurity risks must be put in place to protect the peoples health because lab safety is a national security issue according to news first reported by ny post just to be clear president xi did not emphatically say that coronavirus had escaped from one of the chinas microbiology labsbut according to ny post the very next day evidence emerged suggesting that this is exactly what happened as the chinese ministry of science and technology released a new directive entitled instructions on strengthening biosecurity management in microbiology labs that handle advanced viruses like the novel coronavirusat this point no one know for sure the exact origin of the virus however china has only one level 4 microbiology lab that is equipped to handle deadly coronaviruses called the national biosafety laboratory is part of the wuhan institute of virologyto add to the suspicion the magazine also cited the dispatch of maj gen chen wei the peoples liberation armys top expert in biological warfare to wuhan at the end of january to help with the effort to contain the outbreakaccording to the pla daily gen chen has been researching coronaviruses since the sars outbreak of 2003 as well as ebola and anthrax this would not be her first trip to the wuhan institute of virology either since it is one of only two bioweapons research labs in all of china ny post saidthe question that still remains unanswered is does that suggest to you that the novel coronavirus now known as sarscov2 may have escaped from that very lab and that gen chens job is to try and put the genie back in the bottle as it were", + "https://techstartups.com/", + "FAKE", + 0.10405032467532464, + 525 + ], + [ + "CORONA VIRUS AND FOREIGN POLICY SHIFTS OF THE GLOBAL SYSTEM", + "the biological weapons and that the outbreak of covid19 coronavirus being manmade in this case by the americans", + "https://katehon.com/", + "FAKE", + 0, + 18 + ], + [ + null, + "important announcement coronavirus\nlast evening dining out with friends one of their uncles whos graduated with a masters degree and who worked in shenzhen hospital guangdong province china sent him the following notes on coronavirus for guidance\n1 if you have a runny nose and sputum you may have a common coldflu\n2 coronavirus pneumonia is a dry cough with no runny nose to start off with\n3 this new virus is not heatresistant and will be killed by a temperature of just 2627 degrees\n4 if someone sneezes with it it takes about 10 feet before it drops to the ground and is no longer airborne\n5 if it drops on a metal surface it will live for at least 12 hours so if you come into contact with any metal surface wash your hands as soon as you can with soap an alcoholbased one is good\n6 on fabric it can survive for 612 hours normal laundry detergent will kill it\n7try not to drink liquids with ice\n8 wash your hands frequently as the virus can only live on your hands for 510 minutes but a lot can happen during that time you can rub your eyes pick your nose unwittingly and so on\n9 you can also gargle as an added prevention a simple solution of salt in warm water will suffice\n10 cant emphasise enough drink plenty of water\nthe symptoms\n1 it will first infect the throat so you may have a sore throat lasting 34 days\n2 the virus then blends into a nasal fluid that enters the trachea and then the lungs causing pneumonia this takes about 56 days further\n3 with the pneumonia comes high fever and difficulty in breathing\n4 the nasal congestion is not like the normal kind it can feel like youre drowning its imperative you then seek immediate attention by telephoning 111 or your doctor dont visit\nspread the word please shareand also see recent updates from nhs and elsewhere", + "Peter Lee Goodchild", + "FAKE", + 0.10609696969696969, + 333 + ], + [ + null, + "fact hydroxychloroquine has been shown to have a 100 effective rate treating covid19 yet democrat gretchen whitmer is threatening doctors who prescribe it if trump is for something democrats are against it they are okay with people dying if it means opposing trump sick", + "CharlieKirk", + "FAKE", + 0.1285714285714286, + 44 + ], + [ + "DEPOP TAG-TEAM: Anthony Fauci joins Bill Gates in calling for “digital certificates” of coronavirus immunity", + "in lockstep with mr microsoft bill gates himself national institute of allergy and infectious diseases niaid head dr anthony fauci has signaled that americans will eventually be able to return back to normal after the wuhan coronavirus covid19 crisis ends but this will probably only be the case if they agree to get vaccinated and carry around digital proof of vaccination everywhere they gospeaking on cnns new day program fauci stated that requiring digital vaccine certificates is a possible outcome of the pandemic because its one of those things that we talk about when we want to make sure that we know who the vulnerable people are and notthis is something thats being discussed he added i think it might actually have some meritlouisiana senator bill cassidy a republican has similarly proposed that the government create some type of immune registry to keep track of people who are no longer believed to be at risk of infection with the wuhan coronavirus covid19 one possible way to do this is to administer antibody testing which could potentially indicate whether or not someone has already had the wuhan coronavirus covid19 and is now recovered and immune to itvery soon fauci says there will be a rather large number of tests available for the wuhan coronavirus covid19 but a potential problem will be validating them as accurate seeing as how early wuhan coronavirus covid19 tests were wildly inaccurateits very likely that there are a large number of people out there that have been infected have been asymptomatic and did not know they were infected fauci admitted if their antibody test is positive one can formulate kind of strategies about whether or not they would be at risk or vulnerable to get infectedlisten below to the health ranger report as mike adams the health ranger talks about how food riots could begin as soon as may if the lockdowns across our country dont come to an end very soonbill gates and anthony fauci want to force the mark of the beast on you in the name of stopping coronavirus faucis buddy gates has a similar plan in mind that involves giving people a digital mark of the beast that approves them for reentry back into society once theyve been deemed safe following mandatory vaccination for the wuhan coronavirus covid19gates has stated that he would like to see everyone have a quantum dot tattoo microchip inserted into their bodies that would not only clear them of the wuhan coronavirus covid19 but also function as a digital form of identification id2020 that includes the entirety of a persons medical records\neven though simple zinc is already proving to be a viable cure for the wuhan coronavirus covid19 no vaccines required the worlds most outspoken eugenicist at the current time is insistent upon vaccinating the entire globe against this virus in order to keep everyone safe from any diseases it might cause\nthe corporate elite that runs things behind the scenes has turned an illness no more dangerous than the common flu into a pretext for an enormous expansion of government power and an enormous transfer of money from the citizens to the corporate elite wrote one washington times commenter in response to this newsmost people still believe despite so much evidence to the contrary that the government and the corporate media do not lie especially about the big things in reality the government and the corporate media lie about everything especially about the big things", + "https://www.naturalnews.com/", + "FAKE", + 0.054403778040141695, + 579 + ], + [ + "VACCINES DON’T HEAL; THEIR PRODUCTION IS PART OF THE AGENDA FOR A NEW WORLD ORDER", + "cooperation instead of competition doesnt occur in the west its all profitdriven with a number of different vaccines from different pharma giants coming on the market who will tell the patient which one is the best most suitable for the patients condition it smells like an utter chaotic scamthe real question is are vaccines or a vaccine even necessary maybe maybe not the production of vaccines is pushed for profit motives and for an important political agenda for a new world order that has been planned to change human life as we know it or thought we knew itvaccines dont heal they may prevent the virus from hitting as hard as it might otherwise do or not at all depending on the age physical and health condition of a person worldwide statistics show that usually a person up to the age of 40 or 50 who is infected by the covid19 has none or only slight symptoms nothing to worry about", + "https://southfront.org/", + "FAKE", + 0.12223707664884136, + 161 + ], + [ + "Pandemic Bio-Weapon – 9. Supervirus Created by US during Obama’s Govt: 89 CoVid Strains in CIA’s Top Secret Tests", + "pandemic bioweapon 9 supervirus created by us during obamas govt 89 covid strains in cias top secret tests", + null, + "FAKE", + 0.04999999999999999, + 18 + ], + [ + "A Word on Coronavirus", + "again i have reason to believe mms chlorine dioxide can be very effective in both preventing and eradicating the coronavirus let mms be your first line of defenseregarding the coronavirus at this point in time if you have it i would suggest trying mms first as mms has eradicated a wide range of maladies i have to say there have been positive results at least 95 of the time", + "https://jimhumble.co/", + "FAKE", + 0.18454545454545454, + 69 + ], + [ + "CORONA AND HUAWEI .. THE NEW OPIUM WAR", + " from abroad but it wants good relations with other nations this was the response of the chinese emperor qianlong in the eighteenth century in response to the request of the then british king george iii to conclude agreements that facilitate the export of british goods to the chinese marketthe chinese market was a solution to the emerging crisis of the british bourgeoisie during the industrial revolution when the voices of revolutions escalated in britain later in 1895 bread bread bread the answer of the british ruling class was ready either imperialism or civil war either you allow us to we occupy nations other than you or we fight a civil war with you that ends in your hunger and death this is what happened and is happening to this daya return to the chinese emperor who refused to facilitate import as britain imported tea and silk from china and paid silver instead which strengthened the chinese silver reserve and boosted chinas trade balancethere were two wars britain fought to break this formula which led to two trade agreements through which the ports of china were opened against british merchandise by force the van jing agreement and the tianjin agreement or tiansinmany narratives argue that the export of opium by force to china was one of the goods that crossed during the two agreements but there is a peculiarity to the export of opium in the agendas of british policy at the time namely the disruption of the chinese production wheel the british problem was based not only on the fort surrounding the chinese market but also on the empires export capabilitiesthe new empire suffers from a similar crisis according to official statistics issued by the international trade organization the volume of trade exchange between the united states of america and china reached 737 billion of which 557 billion was imported to the us market from china not outside it today china has 12 trillion in debt owed by the united states of america new silver stockperhaps the new american empire does not have the direct options of the british empire to reduce the size of chinese exports to the world and its control over the markets but it and from its position as a brutal global power is able to work hard to disrupt the production wheel albeit temporarily at the opponentcorona uyghur and huawei are the triangle of the united states to work in two directions disrupting production at home or disrupting consumption at the other end marketssome people may think that the coronatovirus ratio is an exaggeration in conspiracy theory and we believed in our first observations of ancient science fiction films including resident evil that this could not become reality one daythe statements issued by the health organization regarding corona as a pandemic or an international emergency have not been contradicted and there is no need to prevent travel to the countries of origin with it in any case the limits of infection with the virus did not reach what qualifies it to describe the epidemic such as the case of the spanish influenza virus in 1918 which claimed a third of the earths population but the western media machine used its full capabilities to make the virus regardless of its origin a good opium to disrupt exports chineseit is not enough to intimidate the markets of goods infected with the virus but it is also accompanied by a moral discourse that talks about suppressing muslims in china and this speech targets a wide group of consumers in the eastern marketsthe american used to reflect all political discourse and discourse into a dollar in american foreign policy this prouighur speech regardless of the reality of the uighurs reality in china equals 15 billion in exchanges with pakistan 45 billion with indonesia and 244 billion with arab countriesin this context it was not strange for google to activate the android war with huawei in the context of disrupting it for some time from the most urgent task which is 5g networks and its involvement in the task of developing an alternative operating system as soon as possible it protects the giant from a surprising loss in the mobile phone marketthe crisis of the united states of america is not much different from britains crisis in the opium wars but the tools of direct wars are no longer available today and there is a need for a lot of opium in the near future starting from bacterial wars and not ending with technological and media wars", + "https://katehon.com/", + "FAKE", + 0.029178503787878785, + 757 + ], + [ + "WE HAVE NOTHING TO LOSE BY USING HYDROXYCHLOROQUINE TO TREAT COVID-19", + "there is a pandemic going on with billions of people locked in their homes and all business grinding to a halt across the globe over apocalyptic predictions of hospitals brimming with corpses due to this coronavirusshould any kind of treatment especially a drug that has been used safely for decades to treat something else with side effects meticulously documented be so cavalierly rejected under the circumstances do experts really think the world has the luxury of waiting for months or even years for their controlled lab studies\nto ask these questions is to answer them yet no one seems to bother nor is this sort of selective blindness endemic to france across the atlantic the mainstream media raised their voices in unison against chloroquine after us president donald trump brought it up as a possible treatment apparently referring to dr raoults workdr raoult seems to believe that hydroxychloroquine works on covid19 and hes not alone in the absence of better solutions and locking billions of people in their homes indefinitely is not one dont we owe humanity to at least try what do we have to lose", + "https://web.archive.org", + "FAKE", + 0.14125000000000001, + 187 + ], + [ + "Shocking coronavirus UPDATE: U.S. government funded virus research inside China with a $3.7 million grant", + "whats the term you always hear about exercising caution when consuming the news follow the money its truly a sad state of affairs when the public has to worry about whether their governments were more involved in this coronavirus pandemic than theyve been led to believe but we may just have to look at the paper trail as we reported over two months ago infectious disease experts and others have long speculated that the new and deadly strain of coronavirus sarscov2 originated in a chinese lab that studies dangerous pathogens now in a bombshell turn of events reports are coming out that the us government has been funding this very lab for many years coronavirus research in china got financial support from the us government\nthe controversial lab in question is a bsl4 facility at the wuhan institute of virology its one of the handful of labs in the world with the highest biosafety certification required to do research on extremely dangerous pathogens like the ebola virus small pox and yes coronavirus the fact that the wuhan lab conducts experiments with both bats and coronaviruses is a matter of public record according to the bbc moreover it turns out that the united states government has been funding this kind of sickening research no doubt this video reveals only part of the story we at naturalhealth365 will continue to monitor this story as the facts get revealed in the video the white house acknowledges that the lab was given a substantial amount of money from the national institutes of health during the obama administration with reports indicating it was for 37 millionif indeed the virus got its true origins at the americanfunded chinese lab its yet to be determined if the virus leaked out accidentally or was maliciously released as a bioweaponmainstream media finally recognizes a disturbing link between the us and china mainstream media outlets are reporting more and more about the potential link between the covid19 pandemic and a china laboratory in an april 17 interview on nprs morning edition with steve inskeep nprs national security correspondent greg myre responded to questions about whether he believed the virus that causes covid19 did in fact come from wuhans bsl4 facilitywhile myre cautions that theres still lots to learn about the potential link he goes on to acknowledge that the united states intelligence government is actively investigating the possibility and that of course wuhan institute of virology just a handful of miles away from where the wet market wasthe intelligence community hasnt trusted the chinese explanations and it sees their ongoing behavior as suspicious myre continues but theyre not prepared to make a final assessmentalso in the interview was a reference to a jawdropping statement from us secretary of state mike pompeo who said last week that beijing needs to come clean about the governments knowledge about where the virus came from and how it spreadconversely a study published in march in nature medicine found no genetic evidence that the virus was created in a lab and as recently as april 18th officials from the chinese lab itself including vice director yuan zhiming have vehemently denied the claimwell be watching this news story very closely over the coming days weeks and months", + "https://www.naturalhealth365.com/", + "FAKE", + 0.015824915824915825, + 541 + ], + [ + "TONS OF VITAMIN C TO WUHAN. China Using Vitamin C Against COVID", + "we can all agree that 50 tons of vitamin c pretty much qualifies as a megadose we can also likely agree that trucking 50 tons of vitamin c straight into wuhan full in the face of the covid19 epidemic qualifies as newsthe news media are not reporting this or any other significantly positive megavitamin newsyesterday 50 tons of immunity boosting vitamin c were shipped from our dsm jiangshan plan to the province of hubei of which wuhan is the capital city the banner text on the truck reads in the fight against ncovid the people of dsm jiangshan and wuhan are heart to heart loving the photo but needing authentication i consulted my physician correspondent in china richard cheng md he confirmed it saying this was reported in the chinese media about 2 weeks ago another translator has also independently verified the accuracy of the translationdsm by the way simply stands for dutch state mines the netherlandsbased parent of dsm jiangshan pharmaceutical co ltd the chinese division has been recognized as a china enterprise with outstanding contribution to social responsibility there is another dsm factory in scotland which also manufactures vitamin cwe are so used to being lied to that the truth is like a diamond in a fiveanddime store you cant believe it is real because it is mixed in with the fakes news of nutritioncentered treatment of covid19 has been branded fake news and false information i say that what is false and fake is the deliberate omission of any news of healthsaving lifesaving measures already underway to help the people of china and the rest of our planet here is more verified but still unreported news of highdose intravenous vitamin c against covid19 in china", + "http://orthomolecular.org/", + "FAKE", + 0.06980027548209365, + 288 + ], + [ + "Hundreds of Italian migrants on their way to Africa to flee the coronavirus", + "europeans including italians fleeing the virus in their country entered africa under the guise of tourism the anonymous writer identified only as sandra claimed to have met a group of italians at milan malpensa airport who were traveling to ethiopia and said that other italians had landed in gabon and cameroon to escape the epidemic", + "http://www.24jours.com", + "FAKE", + -0.0625, + 55 + ], + [ + "Must-see infographic: The “Death Science” Depopulation Trifecta … Biological weapons, vaccines and 5G, all aimed at humanity", + "as part of an upcoming presentation with gensixcom which streams on may 1516th ive been working to organization information that describes the trifecta of death science weapons which are now aimed at humanity what im calling the death science trifecta consists of the coronavirus biological weapons 5g towers electromagnetic weapons and vaccines chemical weapons in combination they are designed to enslave and then exterminate most human beings living todaythats why theres no real talk of restoring human freedom or promoting prohuman free speech or even allowing anyone to advocate nutrition that can save lives the globalists have zero interest in saving humanity they are working to exterminate billions of human beings and bioweapons 5g and vaccines are the trifecta of mass death and tyranny that theyre using to accomplish their goalive put this into a mustsee infographic shown below its no accident the graphic is organized like the allseeing eye and pyramid on the back of the us dollar this is the structure of power over humanity that has been invoked by antihuman globalists for centuriestake a look at the graphic here and share everywhere along with a warning if humanity doesnt rise up against our oppressors we will be exterminatedto hear my full lecture on the death science trifecta register at gensixcom for the upcoming conference on may 1516th im presenting a nearly threehour lecture on all this detailing the real threats against humanity and how a small number of informed human beings may survive the extermination attemptas you can see from the infographic above depopulation is the end game of all this big tech big pharma and big science are all colluding to obliterate the human population on our planet they are in fact preparing earth for a posthuman eraheres a preview snippet of what the lecture featuresglobalists have decided they dont need humans any longer and their final act will be the global financial reset looting of all assets combined with the global deployment of a vaccine euthanasia kill switch to cause billions of deaths this is why they are now using armed government assault teams to raid and shut down anyone who promotes colloidal silver vitamin c or chlorine dioxide in order to eliminate any possibility of a nutrient or natural substance that might help protect the public from infections they need to keep the path clear for vaccines to be the only savior of humanity they cant allow anything else to work first you see vaccines must be the only option offered to the worldthats the only way they can achieve widespread compliance with the euthanasia kill shots they have to label them vaccines and tell people if they dont take the shot they wont be allowed to participate in society big tech is all part of this war on humanity of course as they are blacklisting all individuals or websites that dare to promote immune boosting strategies that might help protect humanity from a worsening pandemicin essence big tech big pharma and big science have all become direct enemies of humanity and they are engaged in a fullblown war on humanity invoking at least three key weapons to destroy the human race biological weapons electromagnetic weapons and chemical weaponsin truth theyre also using pollution weapons stratospheric aerosol injections chemtrails info weapons engineered media disinformation and genetic weapons transgenetic weaponization of vaccine ingredients to alter the genetic code of vaccine recipients too at the same time you may have noticed that the food supply is being deliberately destroyed in order to cause widespread famine and desperation fema camps will offer soup kitchens and food bank rescue packages for the public but as soon as the coronavirus vaccine is available youll be required to show your vaccine papers to receive a food rescue packagefood scarcity in other words is being weaponized to force mandatory vaccines onto the public when they are hungry enough they will gladly line up to be injected with anything in exchange for a few meals and the globalists know this a mass awakening has begun but will it emerge in timehumanity is now on the brink but there is also mass awakening taking place at this very moment as billions of people around the world are coming to realize they are literally being enslaved with house arrest orders forced upon them by ignorant incompetent immoral leaders who refuse to recommend the nutritional solutions that can protect public health and help us all get back to normal living things like zinc vitamin d vitamin c elderberry extract and so onperhaps it will take the temporary experience of global enslavement to finally awaken humanity to the truth you are a slave neo you were born into a prison a prison for your mind and if you want to free your mind you will need to reject the toxic chemicals medicines disinformation and technologies of the globalists that means no 5g no vaccines no pharmaceuticals and no more living on processed junk food that makes you weak and dumbed downsmash your iphone put down the antidepressants turn off the brainwashing cable news stop eating garbage nutrientdepleted processed foodstart filling your body with nutrition while energizing your mind with real uncensored truth", + "https://www.naturalnews.com/", + "FAKE", + 0.0117283950617284, + 866 + ], + [ + "THE PLAGUE GODS: THE GEOPOLITICS OF EPIDEMIC AND THE BUBBLES OF NOTHING", + "we believe that the vacuum of the universe is in equilibrium that is the whole cycle of possible entropy has passed but what if its just pretending to be\nthe coronavirus and the collapse of the world order over the last few decades we have awaited something fatal something irreversible and decisive perhaps the coronavirus epidemic will be that eventit is too early to draw exact conclusions but some elements of geopolitics and ideology may have already passed the point of no returnthe coronavirus epidemic represents the end of globalization the open society is ripe for infection anyone who wants to tear down borders prepares the territory for the total annihilation of humanity you can smile of course but people in white hazmat suits will put a stop to the inappropriate laughter only closedness can save us closedness in all senses closed borders closed economies closed supply of goods and products what fichte called a closed trade state soros should be lynched and a monument should be built for fichte lesson onesecond the coronavirus turns the last page of liberalism liberalism has made it easier to spread the virus in all senses the epidemic requires the demolition of all differences liberalism is the virus a little more time will pass and liberals will be equated with lepers infectious maniacs who call to dance and have fun in the midst of the plague the liberal is the carrier of the coronavirus its apologist this is especially the case if it turns out that it was created in the united states the citadel of liberalism as a biological weapon lesson two liberalism kills\nthird the criteria for success and prosperity of countries and societies are changing dramatically in the battle against the epidemic neither chinas wealth nor the european social system nor the absence of a social system in the united states which has the worlds greatest military and financial power will save them even the iranians spiritual and vertical regime is not helping the coronavirus has cut off the entire tip of civilization oil finance free exchange the market the total dominance of the fed the worlds leaders are helpless completely different criteria have come to the fore the possession of an antivirus the ability to autonomously prove life for themselves and their loved ones in conditions of maximum closure meeting these criteria means reassessing all values the vaccine is in the province of those who most likely developed the virus and is therefore an unreliable solution however closure and the transition to selfsufficiency is something that everyone can do although doing so requires multipolarity small farms and natural exchange will survive the total collapse of everythingso what would be the next logical steps after a triumphant march of coronavirus across the planet at best the appearance of several relatively closed world zones civilizations large spaces or at worst the worlds of mad max and resident evil the russian series the epidemic is becoming a reality in front of our eyes the plague gods i am beginning to understand why in some societies the plague gods were revered and worshipped the coming of the plague allows for a complete renewal of societies the epidemic has no logic and spares neither the noble nor the rich nor the powerful it destroys everyone indiscriminately and brings people back to the simple fact of being the plague gods are the fairest antonin artaud wrote about this comparing theater to the plague the purpose of the theater according to artaud is with all possible cruelty to return man to the fact that he is that he is here and now a fact which he persistently and consistently seeks to forget the plague is an existential phenomenon the greeks called apollo smintheus the mouse god and attributed to his arrows the power to bring plague this is where the iliad begins as everyone knowsthat is what apollo would do if he looked at modern mankind bankers bloggers rappers deputies office workers migrants feminists thats about itbunuel has a movie called the exterminating angel which is more or less about this how the world endsone can also take note of the elements of the epidemic that seem to suggest its being manmade either allowing the west to use the virus against its geopolitical opponents which explains china and iran but not italy and the rest or even the start of the targeted extermination of all these extra billions by a small circle of humanity with a vaccine which was itself produced by progress and open society in this case the plague gods may turn out to be quite specific representatives of the global financial elite which has long recognized the limits of growth but even in this case especially if this is not the beginning of a fullfledged global genocide but only a test of the pen the conclusion is the same those who pretend to be responsible for human societies are not what they seemliberalism is only a pretext for mass extermination as colonization and the spread of the standards of modern western civilization were the global elites and their local puppets may be counting on surviving with a vaccine but something suggests that this may be where the catch lies the virus may behave inadequately and the processes that have begun on the civilizational level and even in individual unpredictable spontaneous events may disrupt their carefully thought out plansthe entire world economy may not collapse within a few months but it seems to be headed in exactly that directioneverything that modern people consider sustainable and reliable is pure illusion the coronavirus is showing that clearly and vividly in fact once the logic of what is happening continues to develop a little further we might see how the world ends at least the world we know and knew and at the same time the first contours of something else will begin to appearmatter at risk it is curious that parallel to the coronavirus which has become in a sense the subject of civilization discussions in the scientific community about bubbles of nothing broke out reviving some hypotheses of the famous physicist edward witten one of the main theorists of the phenomena of superstringsaccording to the ideas of modern physicists bubbles of nothing can arise from a false vacuum ie a vacuum which has not reached stability but only seems to have reached it in the tendimensional world with 4 ordinary measurements and 6 more present through compacification such bubbles of nothing are quite probable if they arise they may suck galaxies into nothing and swallow the universe these whirlpools spawned of unstable vacuums leave quite an impressionand again as in the case of coronavirus they say nothing bad is happening everything is under control representatives of the scientific elite reassure us that the chance of the appearance of the bubbles of nothing is ridiculously smallbut it seems to me that it is not on the contrary it is quite significant the modern world is exactly such a bubble of nothing which is growing rapidly absorbing meaning and dissolving existence liberalism and globalization are its most vivid expressions the coronavirus is also a bubble of nothingthe nature of this virus itself is interesting although i hate the concept of nature there is nothing more senseless it is something between a living being it has dna or rna and a mineral it has no cells however most of all it reminds us of a neural network or even an artificial intelligence it is either there or not living or inanimate that is precisely what the nonequilibrium vacuum is which creates these bubbles of nothingwe believe that the vacuum of the universe is in equilibrium that is the whole cycle of possible entropy has passed but what if this only seems to be the casewhen you hear the story about the wuhan market and imagine the struggle of bats with poisonous snakes their fierce exchange of contagion and killer microscopic arrows of nonexistence shaped like a crown it is impossible to get rid of the image of bubbles of nothing the same feeling is brought about by the drop in oil prices and the collapse of stock indices even war with its specificity and existential awakening does not save us from the attack of nothing as the motivation of modern wars is so deeply entangled in material financial and corrupt interests having lost its original purity the direct encounter with death it only serves as another bubble of nothing fulfilling its instructions to lead matter to total oblivionplague as event is it possible to expect that having coped with the coronavirus mankind will draw the appropriate conclusions curtail globalization throw out liberal superstitions halt migration and put an end to the obscene technical inventions which are immersing everyone deeper and deeper into endless labyrinths of matter the answer is quite clearly no everyone will quickly go back to their old ways in the blink of an eye before the corpses are even buried as soon as and if the markets come to life and the dow jones wakes back up everything will be back to normal the naive one is he who thinks otherwise but what does that mean it means that even an epidemic of this scale will be turned into an unfortunate misunderstanding no one will understand the meaning of the coming of the plague gods no one will think about bubbles of nothing and everything will repeat over and over again until it reaches the point of no return if one pays close attention to the passage of time it should be clear that we are currently crossing that point", + "https://www.geopolitica.ru/", + "FAKE", + 0.04333133672756314, + 1614 + ], + [ + "Coronavirus Pt 2: ‘Never Let a Good Crisis Go to Waste’, Replay", + "until recently the concept of mandatory and mass vaccination has been only a worrisome possibility vaccination laws are passed and monitored at the state level not at the federal level but while the country was still struggling to recover from the events of september 11 2001 and the bioterrorism scares of smallpox and anthrax threats the groundwork to make vaccines mandatory began to change in 2003 during president george w bushs state of the union address on that fateful night bush revealed the creation of project bioshield a comprehensive effort to develop and make available modern effective drugs and vaccines to protect against attack by biological and chemical weaponsproject bioshieldproject bioshield set forth three major componentscreation of a permanent indefinite funding authority to spur development of medical countermeasures enabling the government to purchase vaccines and other therapies as soon as experts believe that they can be made safe and effective conferred new authority to the nih to speed research and development of drugs and vaccines that would counter bioterrorism threats and\nauthorized emergency fast track provisions for the release of treatmentsdrugs and vaccinesstill waiting for approval by the fda in the event of an emergencyas sweeping as those plans may seem the legislation failed to include key provisions sought by the drug companies mosty importantly complete liability protection for all of their bioterrorism productsduring 2003 and 2004 any bills that were introduced by both the house and the senate attempting to secure complete liability protection for the industry were done through federal law in 2005 alone 13 bills were introduced one such bill the biodefense and pandemic vaccine and drug development act of 2005 was gaining traction 1873 introduced as s 1873 by senators bill frist rtn and richard burr rnc its purpose according to burrs news release was to create a partnership between the government and private corporations by rapidly developing effective medical drugs and vaccines to protect the united states from deliberate accidental and natural incidents involving biological pathogensnicknamed bioshield ii the bill planned to give unprecedented advantages to the industry and remove or severely weaken all of the safeguards that prevented dangerous vaccines drugs and medical devices from reaching consumers s 1873 was accelerated through the senate health education labor and pensions help committee without hearingspublic outrage began almost immediately websites news outlets and nationwide radio hosts were exposing the unbelievable benefits the bill would convey to the drug companies dozens of activist groups representing many thousands of constituents rallied a campaign to notify congress of their dissatisfaction with s1873 faxes emails and phone calls show message after message opposing the carte blanche promises drugmakers set out to receive because the outcry against s1873 was so strong the possibility of its passage was bleakto circumvent this outrage senate majority leader bill frist forced the attachment of a shortened version int hr 2863 the 2006 department of defense appropriations bill literally at the eleventh hour called division epublic readiness and emergency preparedness act frists addendum added 40 pages to an existing 423page bill on december 17 2005 at 1120 pm well after the house appropriation committee members had signed off and most had gone home soon referred to as the prep act it gave sweeping and unprecedented immunity for drug companies for emergency productsthe prep actthe prep act provides complete immunity from liability for any loss relating to or resulting from any product used to prevent or treat illness during a public health emergency the immunity applies to entities and individuals involved in the development manufacture testing distribution administration and use of medical countermeasures described in a declaration the only statutory exception to this immunity is for actions or failures to act that constitute willful misconduct and as we will see even willful misconduct may not be punished for a full explanation of the scope of the act go hererepresentative dave obey dwi ranking member of the house appropriations committee made the following statement on the floor of the house on december 22 2005after the committee finished at 6 pm senator frist rtn marched over to the house side of the capitol he insisted 40 pages of legislation that had never been seen by conferees be attached to the billspeaker dennis hastert ril joined frists insistence and without a vote of the conferees the legislation was unilaterally and arrogantly inserted into the bill this was a blatantly abusive powerplay by two of the most powerful men in congresssweeping provisions against americans\npassed in senator frist a medical doctor handed the drug companies a special interest group more immunity than any bill that has ever been passed by congress the legislation provides at least four sweeping provisions immunity from all liability for all drugs vaccines or biological products deemed as a covered countermeasureimmunity from all accountability no matter what a drug company did wrong even if the companys dirty facility created a batch of contaminated vaccines that resulted in deaths or injuries to thousands of people the drug company will remain immune from liabilityimmunity from all liability for any product used for any public health emergency declared by the secretary of hhs\nimmunity from all lawsuits a person who suffers any type of loss will be legally prohibited from suing the drug companies they now have immunity from almost everything perhaps even murderin simple terms if a claim is filed by a plaintiff it can only go forward if the injured party can prove that the company performed an act of willful misconduct in other words the injured party would have to prove the vaccine maker created a product that intentionally caused them harmunbelievably even then the drug company is still immune from accountability even if a pharmaceutical company knowingly harms people the company will be immune from legal prosecution unless the us attorney general initiates enforcement action against the drug company in the name of the claimant this means the us government would have to go to bat for the plaintiff against the drug company for the lawsuit to move forwardfast forward covid19wasting no time the secretary of hhs alex azar and the assistant secretary for preparedness and response robert p kadlec md mtmh ms issued notice of declaration of national emergency and published in the federal register on march 17 2020 vol 85 no 52 the declaration was effective as of february 4 2020 by declaring a national emergency for the sarscov19 virus and covid19 the secretary evoked the prep act to provide liability immunity for activities related to medical countermeasures against covid19once this new experimental covid19 vaccine is deemed to be a covered countermeasure there will be no going back how can an experimental vaccine exist to protect from a virus that little is known about can you think of a worsecase outcome for many the mainstream media is conditioning people to anticipate and even beg for this vaccine its all part of the planthe time for mass vaccination in adults has arrivedthe national vaccine plan nvp for adults was released in february 2010 it lays out the strategy to vaccinate all adults with all approved vaccines and any vaccine that is approved now and in the futurethe plan established four key goals each goal has objectives and strategies to guide implementation through 2020goal 1 strengthen the adult immunization infrastructure goal 2 improve access to adult vaccinesgoal 3 increase community demand for adult immunizations goal 4 foster innovation in adult vaccine development and vaccinationrelated technologies\nlets look at a little closer at what the plan has to say about goal 3educate and encourage individuals and healthcare professionals to promote adult vaccination programsleverage group influence faithbased groups etc to promote and demand access to adult vaccinationscreate more robust ehrs to include standing orders reminder calls and reminder mailingsencourage the development of adult immunization champions in communities and across all sectorsall forms of media and communication continually remind the general public that a vaccine for the virus that causes covid19 is on the way and its coming soon the implied message is to anticipate it wait for it and then as soon as it arrives go get your vaccine the listeners subconscious is being prepared to demand to be vaccinatedwhat can you do to stop mass vaccinationi view most current events through the lens of history as i wrote in part 1 of this series were seeing a repeat of what happened after 911 only a few weeks after the towers came down in nyc the draconian patriot act was passed into law on october 26 2011 now within a few weeks of the outbreak of a coronavirus a virus we dont know much about or how long it will cause serious illness the world has implemented draconian stayhome social distancing rules even this phrase has psychological implications they didnt call it physical distancing but social distancing a way to separate us at a time we should all be coming togetherhow serious is the risk from this pathogen on the one hand we hear that 80 of patients experience a mild form of the illness which can include a fever and pneumonia and many of these cases require little to no medical intervention on the other we hear that 200000 to 2 million may die in the us alone which is it are we really so afraid of this pathogen that weve shut down the world are we so afraid of contracting this infection that were anticipatingeven looking forward tothe development of a vaccine that will be deemed a covered countermeasure and have no liability even if it injures or kills many and protects no onenoninfectious caused deathslook at this chart closely click here to enlargethis is a graphic from 2016 distributes the number of deaths by health risk factors throughout the entire world it shows what people die from without an infection by a rogue virusthe bottom line is most die from poor nutrition and conditions marked by high inflammationis it any wonder that these people have the highest risk of serious illness if they become infectedperhaps during this forced global shut own one of the most important things you can do is use the time to evaluate all the areas of your life your physical health your mental health and your spiritual health and relationship with god clean out some closets and finish a few projects you always wished you had time to do reador write the book that has been calling you forever eat better exercise more lose some weight catch up on your sleep play with your kids reconnect with your significant otherperhaps god has put the entire world into full stop so we can meditate and reflect taking time to coursecorrect toward what is really most important whenever i find myself feeling anxious about the future and the uncertainties of what is going on i focus on this verse from the bible psalms 4610 be still and know i am god if you can connect with that idea youll be much more optimistic and much less anxious about the future", + "https://vaxxter.com/", + "FAKE", + 0.07337475077933091, + 1837 + ], + [ + "The coronavirus is the common cold, folks", + "it looks like the coronavirus is being weaponized as yet another element to bring down donald trumpnow i want to tell you the truth about the coronavirus im dead right on this the coronavirus is the common cold folksthe driveby media hype up this thing as a pandemic limbaugh continued ninetyeight percent of people who get the coronavirus survive its a respiratory system virus", + "Facebook", + "FAKE", + -0.19396825396825398, + 64 + ], + [ + "CORONAVIRUS SPECIAL REPORT: Worldwide Outbreaks of 5G Syndrome and 5G Flu Driving Pandemic", + "how do you know if you have 5g flu or 5g syndrome or bothcoronavirus contagion much more virulent and deadly in 5g hotspots its of paramount importance to comprehend that there is a huge difference between 5g flu and 5g syndromeit especially behoves every smartphone user to know the differencepeople who live in 5g hotspots also really need to know the differenceinternet addicts who are setting up their own iot space inside of a 5g superhotspot better know the difference as their life depends on it5g flu or 5g syndrome an unknown number of smartphone addicts are blissfully unaware that they may be suffering from either a lowgrade 5g flu or asymptomatic 5g syndrome wherever 5g flu is written below in the key points direct involvement of the wuhan coronavirus aka covid19 is implied in its distinctive pathology biological evolution cellular etiology and more elusive environmental causationkey points 5g syndrome is a much more serious medical ailment than 5g flu 5g syndrome represents a much more extensive list of severe symptoms some of which are lifethreatening however as the whole world has witnessed 5g flu can also kill youfastdepending on your overall health profile and the strength of your immune system thats why the elderly and infirm succumb to 5g flu so quickly and children seem to have a natural immunity\nnonetheless its 5g syndrome that is the quiet killer because of how many symptoms will occur completely under the radar over years also many of those symptoms will be routinely misinterpreted as other disease processes by medical and holistic doctors alike this kind of misdiagnosis and underdiagnosis by physicians everywhere has occurred over several decades regarding electrohypersensitivity illness often by the intentional design of the medicalbig pharma complexthen there are those individuals who suffer from both 5g flu and earlyonset 5g syndrome theyre the ones dropping like flies in wuhan china their addiction to smartphones and other wireless devices blinded them to the adverse health effects caused by the sudden influx of 5g energies which include extremely high radiofrequency signal ranges and ultrastrong microwave transmissions when they flipped the switch in 2019 in hubei province\nin general 5g flu is more of an acute illness whereas 5g syndrome is a longterm chronic disease they mutually support and feed off each other which is what makes them so dangerous and increasingly fatal a person who has 5g syndrome is much more susceptible to contracting 5g flu and a person with 5g flu is a good candidate for developing 5g syndromeone who repeatedly gets the wuhan coronavirus or 5g flu as many chinese sufferers have to date will exhibit a greater likelihood of developing 5g syndrome that is if they dont already have a case of it the extraordinary reinfection rates for covid19 also known as the coronavirus bioweapon triggering 5g flu offer compelling circumstantial evidence that its really an electromagnetic radiationdriven disease more than a bioengineered coronavirus although its really both cofactors working in tandem to turbocharge each othertruly the inexplicable reinfection rates tell the hidden back story about this swiftly unfolding pandemic the only plausible reason for multiple reinfections when compared to all previously studied coronavirus outbreaks prior to the wifi era is that the former covid19 patients have stepped back into their wireless environment they live in a 5g hotspot they are creating their own iot andor they still sleep with their smartphones turned on under their pillows\n5g syndrome insidiously develops over a period of sustained exposure to a 5g power grid andor usage of even a smallscale version of a homebased iot or a fullscale office buildout of the internet of things the longer any individual sits in those unsafe levels of 5gdisseminated emfs and microwaves the more likely they will experience the evolution of their own unique form of 5g syndrome eventually they will become vulnerable to not only 5g flu ie wuhan coronavirus but also to the whole host of other bioengineered flu strains and naturally occurring influenzasthe most critical point here is that every longterm habitual smartphone user is at great risk for developing either 5g flu and 5g syndrome or both during the annual flu seasons they will be more susceptible than others to any type of influenza that passes through the neighborhood especially one of the various coronavirusesthe symptoms of both what will eventually follow in this blog is a list of symptoms of both 5g flu and 5g syndrome which will distinguish the one medical ailment from the other inevitably there will be many symptoms that overlap for obvious reasons but even those will have subtle differences to the trained clinicianthis future list of 5g symptoms will by no means be exhaustive and will be added to in the weeks and months and years ahead its compilation represents a collaborative effort among many likeminded healthcare professionals and health advocates who deeply understand the intimate connection between the human bioorganism and ambient electromagnetic fieldsthese medical clinicians alternative healthcare practitioners and biomedical researchers are especially aware of the numerous adverse health effects and profound environmental impacts produced by the rapidly emerging 5g power grid connecting the most crucial dots has become easier as the 5g rollout takes place in cities nationwide as well as worldwidechina has provided an excellent observation laboratory with the wuhan 5g demonstration zone being the most watched experiment in the world today some have even noted that the wuhanese have sacrificed themselves for the sake of enlightening the rest of humanity now its time for the chinese government to share the medical data and scientific observations so that their 5g rollout can be properly implicated in this paralyzing public health crisisthere are many symptoms which constitute either the 5g flu or 5g syndrome symptom set as well as those that are common to both the due diligence process and proper vetting required to confirm them with a high level of integrity is quite tedious and challenging nevertheless this project is proceeding with all deliberate speed in the interest of precluding a public health disaster of epic proportions our real intention is to avert a fullblown ele extinction level event in light of the 5g juggernaut rolling across the land on all 7 continentsthe following two links provide just a glimpse into the enormity and gravity of this vast biomedical research project this special report is very much a workinprogress and will be posted in its entirety in the near future one of the writerresearchers is also the coronavirus coach and therefore we are still identifying the various and sundry symptoms that define both 5g flu and 5g syndrome in the meantime every person who suspects that they suffer from either of these medical ailments or if they have been medically diagnosed with covid19 ought to read the symptoms of ehs listed here electrohypersensitivity syndrome the symptoms some solutions", + "https://web.archive.org/", + "FAKE", + 0.14862391774891778, + 1140 + ], + [ + "Russia and China are responsible powers", + "russian aid delivered to italy that russia is helping italy and the eu is not the chinese global project as superior to the eu chinese statecontrolled media and social media channels strongly promoted the idea that the chinese model is superior in tackling covid19 while highlighting global expressions of gratitude for chinese aid delivery including in italy", + null, + "FAKE", + 0.16969696969696968, + 57 + ], + [ + "THE US MIGHT BE DEVELOPING BIOLOGICAL WEAPONS IN GEORGIA", + "the us is trying to increase its biological presence outside of its territory including in former soviet republics moscow has information that washington offered georgia the opportunity to extend the scope of biological research projects in a usowned lab in the country which is called the lugar laboratory it is possible the us is researching materials causing dangerous diseases", + null, + "FAKE", + -0.15, + 59 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposesscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to china fastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as thisaccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijackingbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "http://www.Bioterrorism.news", + "FAKE", + 0.058711080586080586, + 649 + ], + [ + "BILL GATES’ PLAN TO VACCINATE THE WORLD", + "in january of 2010 bill and melinda gates announced a 10 billion pledge to usher in a decade of vaccines but far from an unalloyed good the truth is that this attempt to reorient the global health economy was part of a much bigger agendaan agenda that would ultimately lead to greater profits for big pharma companies greater control for the gates foundation over the field of global health and greater power for bill gates to shape the course of the future for billions of people around the planet", + "https://www.wakingtimes.com/", + "FAKE", + 0.20909090909090908, + 89 + ], + [ + "BILL GATES: TEST TUBE MEAT, MANDATORY VACCINATIONS & REAL TIME GLOBAL SURVEILLANCE FROM SPACE", + "by now it is no secret the world health organization and the united nations are among the many organizations funded by the bill and melinda gates foundation\nin previous reports we have extensively documented gates global vaccination programs and their connections to the uns sustainable development goals under the 2030 agendain this report we document how bill gates is not only working to fulfill the uns global vaccine program but how gates is also working to take control of the food supply chain globally a longdesired achievement of the unalso find out about the mandatory vaccination policy being kept under wraps in addition to another gatesfunded venture to blanket the earth with realtime surveillance from space", + "https://www.wakingtimes.com/", + "FAKE", + 0.06666666666666667, + 116 + ], + [ + "EXCLUSIVE: Robert F Kennedy Jr. Drops Bombshells on Dr. Fauci For Medical Cover Ups and Fraud", + "robert f kennedy jr revealed disturbing information about dr anthony faucis medical career in the government calling out the celebrated physician for a history of disturbing practices ranging from costly cover ups to outright fraudkennedy repeatedly slammed fauci on the thomas paine podcast on wednesday revealing disturbing information about faucis problematic career steering key medical policy for the united states kennedy described fauci as a workplace tyrant who has ruined careers of upstanding physicians and researchers in order to cover up scandals and costly medical research disasters at the national institute of allergy and infectious diseases where fauci has served as a director since 1984 as part of the national institute of healthtony fauci didnt want the american public to know that he has poisoned an entire generation of americans kennedy said alleging fauci targeted a whistleblower who was trying to uncover the blood supply in the country was tainted with deadly strains kenney said fauci ruined the physicians career and covered up the crucial research and that was just one of kennedys attacks against fauci there were more kennedy also targeted bill gates big pharma the media and more in this exclusive interview listen below", + "https://www.citadelpoliticss.com/", + "FAKE", + -0.02187499999999999, + 196 + ], + [ + "Bioweapons Expert Speaks Out About Novel Coronavirus", + "story ataglance\nfrancis boyle who for decades has advocated against the development and use of bioweapons suspects covid19 is a weaponized pathogen that escaped from wuhan citys biosafety level 4 facility which was specifically set up to research coronaviruses and sars\naccording to boyle the covid19 virus is a chimera it includes sars an already weaponized coronavirus along with hiv genetic material and possibly flu virus it also has gain of function properties that allow it to spread a greater distance than normal\nthe incubation period for covid19 infection is still unknown but estimates range from 14 days to 30 days\nthe us government spent 100 billion on biological warfare programs since september 11 2001 up until october 2015\nwhile there have so far only been a limited number of reported cases of covid19 infection in the us the us military has designated several detention sites around the country to quarantine americans should the situation take a turn for the worse as you know a novel coronavirus initially labeled 2019ncov before being renamed covid19 by the world health organization1 originating in wuhan city hubei province in china is rapidly spreading across the world\nthe first case was reported in wuhan on december 21 2019 symptoms include fever shortness of breath severe cough and pneumonia which in more severe cases can lead to impaired kidney and liver function and kidney failureon january 21 2020 the us centers for disease control and prevention confirmed the first us case4 a patient in washington state who had recently visited wuhan then the first us death was reported february 29 2020 in washington state\nless than a week later cbs news reported march 5 2020 that the number of deaths had quickly risen to 11 nationwide in the us 10 in washington state and one in california6 not only that but as of that day the world health organization urged governments around the world to pull out all the stops to fight the outbreak on the up side china appeared to be over the worst of it cbs saidall told as of march 5 2020 there were 98067 reported cases of novel coronavirus infections affecting 88 countries 80430 of which were in china worldometerinfo provides an easy overview of confirmed cases and deaths that you can check for the latest statisticscovid19 a weaponized coronavirusin this interview francis boyle whose background includes an undergraduate degree from the university of chicago a juris doctor lawyer degree from harvard and a phd in political science shares his theory of the origin of this novel coronavirusfor decades hes advocated against the development and use of bioweapons which he suspects covid19 is in fact boyle was the one who called for biowarfare legislation at the biological weapons convention of 1972 and the one who drafted the biological weapons antiterrorism act of 1989 which was passed unanimously by both houses of congress and signed into law by george bush srat the time of this recording february 14 2020 more than 50000 people in china had been infected with the virus certainly it does not originate from infected bat soupas a result of boyles antibiological warfare work which goes back to the early days of the reagan administration a time in which they were using dna genetic engineering to manufacture biological weapons boyle has carefully followed mysterious outbreaks of disease in both humans and animals around the world that have appeared since thenmy biowarfare antiterrorism act was specifically designed to not only to deal with regular biological weapons but also with dna genetic engineering for biological weapons that was just coming into its infancy when the bwc was being draftedeven though the bwc would cover dna genetic engineering i wanted to make it clear by name that it was covered i also made it clear that it covered synthetic biology as well boyle saysso when these unexplained mysterious illnesses break out i monitor them a while and usually i just conclude they can be explained by normal reasons lack of sanitation poverty things of that nature but in wuhan it seemed pretty suspicious to methere is this biosafety level 4 facility there in wuhan its the first in china and it was specifically set up to deal with the coronavirus and sars sars is basically a weaponized version of the coronavirusthere have been leaks before of sars out of this facility and indeed the only reason for these bsl4 facilities based on my experience is the research development testing and stockpiling of offensive biological weaponsfor that reason i stated my opinion that this wuhan coronavirus leaked out of that bsl4 facility maybe midnovember and the chinese government has been lying about it and covering up ever sincemany unknowns remain the first reported case of covid19 infection was december 1 2019 depending on the incubation period which is still unknown the initial lead provided there was one might have occurred anywhere in november the official estimate is a 14day incubation period but a british health expert believes its 24 days and north korean biological warfare experts believe its 30 days boyle saysas for wuhan and hubei province theyre basically under martial law theres no other word for it if you read the statements by president xi and his assistants theyve made it very clear theyre at war here and that is correct theyre at war with their own biological warfare agentpresident xi just fired the party apparatchiks in charge of this and has brought in trusted military personnel to handle it as well as large numbers of pla peoples liberation army forces saying theyre health care workers they dont look like health care workers to me so as of now thats my best reading of the situation\nwhen asked about rumors the covid19 virus might have been stolen from a highsecurity laboratory in winnipeg canada boyle saysit could have been i want to make it clear that in my opinion they were already working on that at the wuhan bsl4 facility they were working on a biological warfare weapon involving sars which is a coronavirus to begin withwe do know that dr yoshihiro kawaoka at the university of wisconsin resurrected the spanish flu virus for the pentagon obviously for weapons purposes and he specializes in mating the spanish flu virus to all sorts of hideous biowarfare instrumentalities and there was a record of him shipping his products to winnipeg\nwinnipeg is canadas equivalent of our own fort detrick its a bsl4 facility and yes they research develop tests manufacture and stockpile every type of hideous biological warfare weapon that we know of so some of this technology could have been stolen from winnipeg i dont know about that but as i said the wuhan bsl4 was already working on this to begin withthey had already developed sars sars had leaked out two to three times before this and it seems they were turbocharging sars which is what covid19 looks to be this is a brandnew generation of biowarfare weapons we havent seen beforeits lethality goes from 15 as estimated by lancet up to 17 to 18 by a british health official and even chinese statistics its infectivity is 83 it can infect maybe three to four people for every person infectedit has gain of function properties which means it travels through air at least 6 or 7 feet and there are reports that even contaminated human feces give it off that the human feces radiate off maybe 6 or 7 feet so weve never seen anything like this before in the history of biological warfare at least in the public record\ni want to make it clear i have never worked for the united states government ive never had a security clearance ive never had access to any type of secret informationi just read what is in the public record and the scientific record and try to draw my own conclusions and thats what im giving you today i could change my opinion if people can provide me reputable scientific evidence to the contraryright now im standing by my conclusion that it leaked out of the wuhan bsl4 the highest level of the chinese government has known about it theyve been covering it up from the getgo until they informed the who at the end of decemberdespite laws biowarfare experimentation is alive and well as noted by boyle the wuhan lab is a designated who research lab which may sound odd considering these facilities specialize in developing and researching dangerous pathogens that can easily be turned into bioweapons according to boyle we should not be surprised however as who is up to its eyeballs in this type of work and has been for quite some time the us centers for disease control and prevention and the drug industry also appear to have had their hand in many of the outbreaks of what appear to be weaponized viruses\ni wont go through the long history of big pharma getting involved in this theres huge amounts of money here i believe the west africa ebola pandemic originated out of the us bsl4 facility in sierra leone and that they were testing out a socalled vaccine that contained live ebola and gave it to these poor people boyle saysas for the cdc it has been involved in every bsl4 biological warfare death science you could possibly imagine its a matter of public record that during the reagan administration the cdc and the american type culture collection sent 40 shipments of weaponsgrade biological warfare agents to saddam hussein in iraq in the hope and expectation that he would weaponize these agents and use them against iranof course the problem is that when that war was over an order was given to us military forces to blow up saddam husseins biological warfare facilities and thats not how you deal with biological warfare weapons it contaminated our own troops and that was a causative factor in the gulf war syndrome that murdered about 11000 us troops and disabled about 100000according to boyle the us government spent 100 billion on biological warfare programs since september 11 2011 up until october 2015 which is no small sum to put it into perspective the us spent 40 billion assuming a constant dollar value on the manhattan project which developed the atomic bomb boyle also estimates the us has some 13000 life scientists working within the biowarfare industryclearly the reagan administration under the influence of its neoconservatives who definitely believe in biological weapons and ethnicspecific biological weapons you can see that in the pnac report were engaged in the use of dna genetic engineering for the purpose of manufacturing biological weaponsthat is why i gave a congressional briefing in washington dc in 1985 i was asked to do that by the council for responsible genetics that i work with which involves the leading life scientists in the world from mit and harvardi spent seven years at harvard i have three degrees and i knew all these people they asked me to serve as their lawyer and give this congressional briefing i blew the whistle and then they asked me to draft the implementing legislation which i didi want to make it clear im not here to speak in their name im only speaking in my name but if you look at my book biological warfare and terrorism professor jonathan king wrote the foreword so i have the leading mit professor of molecular biology supporting what im saying if you dont think i know enough science about itus prepares for covid19 pandemic while there have so far only been a limited number of reported cases of covid19 infection in the us the us military has designated several detention sites around the country to quarantine americans8 should the situation take a turn for the worsehistorically speaking however government health officials have been vastly exaggerating the threat of pandemics in the us including the bird flu the swine flu anthrax and ebolafor example as detailed in my 2009 new york times bestseller the great bird flu hoax thenpresident george bush jr projected 2 million americans would die from bird flu the bestcase scenario taking only 200000 lives the final death count in the us from that pandemic was zeroit generated massive profits though as us taxpayer dollars were used to purchase 20 million doses of tamiflu one of the people who was able to line his pockets from that hoax was defense secretary donald rumsfeld who was president of gilead sciences when the drug was createdthe bird flu was another dna genetically engineered biological warfare weapon boyle notes it was a chimera it had three different elements in it and we were all lucky that somehow they attenuated the lethality and the infectiveness of the bird fluwhether or not covid19 will be similarly ineffective in its spread and lethality remains to be seen judging by the statistics in china it doesnt look very good boyle saysunderstanding the covid19 virus according to boyle the covid19 virus is a chimera like the avian flu virus before it it includes sars an already weaponized coronavirus along with hiv genetic material that was in a published article by indian scientists you could see the pictures right there but political pressure was brought to bear upon them so they withdrew the paperthis is why some scientists are now looking into using hiv drugs to treat it9 boyle says covid19 may also have a flu virus mixed in along with gain of function properties that allow it to spread a greater distance than normalpandemics repeatedly used to further police state pandemics have also been used to chip away public freedoms for example the anthrax scare of 2001 was used as the impetus for signing the patriot act which was the first step in taking away many of our personal freedoms and rolling out a complete surveillance state to me such outcomes are far more concerning than the risk of infection itself boyle addsthey used amerithrax to ram the patriot act through that is correct we became a police state and as i pointed out in biowarfare and terrorism i think the same people who were behind the 911 terrorist attack were also behind the amerithrax but im just connecting dots there whats called amerithrax came out of a us government biological warfare weapons lab and program and i publicly blew the whistle on that the first weekend of november 2001the council for responsible genetics was having its convention at harvard business school and i was chairing a panel with king and other experts on biological warfare on us biological warfare programsas i was walking into the harvard divinity school fox tv had a camera crew there and i said obviously this came out a us biological weapons program and probably fort detricki conducted the session and made the same comment then i made a comment to a washington dc radio station to that effect and to the bbc so everyone in the world heard meat that point someone gave an order that i was never to be interviewed again by any mainstream news about biological warfare programs and thats been the case since the first week of november 2001as noted by boyle george orwells book 1984 has become reality boyle has since lectured lawyers at depaul law school in chicago about the totalitarian nature of the patriot actsnowden has correctly pointed out the federal government is spying on everything we say all of our electronic communications you name it boyle saysand again the proof is ive been completely blackballed out of us media indeed if you go back and look at the amerithrax attacks they also hit mainstream us media to make it clear to them that if they covered this issue they will be killed toobioweapons are developed to be used as noted by boyle the us government has a large stockpile of amerithrax a super weaponsgrade nanotechnology anthrax with 1 trillion spores per gram and thats just the tip of the iceberg of the biological weapons developed whats more boyle has no doubt these weapons will eventually be put to use as they have in the past he saysthere was a tabletop exercise at john hopkins university last fall on coronavirus10 tabletop exercise thats a euphemism for a war game their estimate was that it killed 65 million people11 john hopkins is up to their eyeballs in this nazi biological warfare dirty work they have a bsl3 facility there that they proudly announce on their website they justify it by saying theyre developing vaccines ok how do they do thatthey go out around the world and this is a matter of public record and scour for every type of hideous disease fungus virus and bacteria you can possibly imagine they then bring it back to these bsl4 labs and develop an offensive biological agent using dna genetic engineering and synthetic biology set up by the pentagon under darpa once they have this offensive agent they then proceed to develop a vaccine because the agent is no good unless you can have a vaccine to protect your own peopleso theyre developing vaccines to have biological weapons because a biological weapon consists of two elements the offensive biological warfare agent in the first place and then second a vaccine to protect your own people and that is what is being done at all these bsl4 facilities and many of the bsl3s as welljohn hopkins has a bsl3 and they admit they do dual use thats what dual use means they first develop the offensive biological warfare agent and then they develop the supposed vaccineindeed johns hopkins university is the biggest recipient of research grants from federal agencies including the national institutes of health national science foundation and department of defense it has also received millions of dollars in research grants from the gates foundation12 in 2016 johns hopkins spent more than 2 billion on research projects leading all us universities in research spending for the 38th year in a rowhow can we best prevent or treat covid19 infectionwhile its unclear exactly which treatment is the most effective my guess is that dr paul mariks intravenous vitamin c protocol for sepsis would be a good starting point seeing how sepsis appears to be what kills those who succumb to a serious covid19 infectionmariks retrospective beforeafter clinical study1415 showed that giving patients iv vitamin c with hydrocortisone and vitamin b1 for two days reduced mortality from 40 to 85 the precise protocol used was 200 mg of thiamine every 12 hours 1500 mg of ascorbic acid every six hours and 50 mg of hydrocortisone every six hours16 importantly the treatment has no side effects and is inexpensive readily available and simple to administeraccording to marik vitamin c and corticosteroids have a synergistic effect17 which is part of why his combo protocol is so effective still simply using highdose iv vitamin c exclusively has been shown to improve survival in patients with sepsis and acute respiratory failure reducing mortality from 46 to 30it also reduced the number of days they needed to remain hospitalized on average those who received vitamin c had by day 28 spent three fewer days in the intensive care unit than the placebo group seven days compared to 10 by day 60 the treatment group had also spent seven fewer days in the hospital overall 15 days compared to 2219 while there are no trials that look at integrating hyperbaric oxygen therapy hbot my suspicion is that this would provide a powerful synergy that could get the fatality rate from sepsis even closer to zero sadly hbot is not available at many hospitals and even if it were it is not approved for sepsis", + "https://articles.mercola.com/", + "FAKE", + 0.10711364740701475, + 3293 + ], + [ + null, + "the 25th anniversary of schengen seems more like its funeral this is a painful farewell to the dream of a united europe without borders the utopia did not last long now every man is for himself and everyone is angry at each other mutual assistance common values and human rights freedom of speech and freedom of movement have faded away in the eu what is europe without the schengen", + "Youtube", + "FAKE", + -0.146875, + 69 + ], + [ + null, + "for all you dummies that have absolutely no idea whats hes talking about uv light is injected into the body as a disinfectant to kill bacteria and viruses and this has been used for a while now just because its called a disinfectant doesnt mean its pinesol yall really showing your asses today words by john lewisultraviolet blood irradiation ubi is a procedure that exposes the blood to light to heighten the bodys immune response and to kill infections with exposure to uv light bacteria and viruses in your bloodstream absorb five times as much photonic energy as do your red and white blood cellsfor you to shame our president is just sad he is a great man as a combat vet i support and would give my life for that man one thing we should do is start testing people who enter our country protect our borders this cannot go unpunishedcnn fake news and msnbc you are the ones that are going to get people hurt the president not once said to inject yourself with disinfectant ie bleach pine sol etc etc stop watching this fake news media shit please everyone go watch fox news tucker carlson tonight or sean hannity and if you want testing just protect the borders through airport testing there is a company trying to do just that xspa xspa official donald j trump for president 2020 keep doing what you are doing we the people stand behind you bring veterans to your press briefs we will ask better questions then those clowns", + null, + "FAKE", + 0.024218750000000015, + 258 + ], + [ + "Multiple vaccine corporations are working on a coronavirus jab as Big Pharma gets ready to cash in on a bioweapon built by genetic engineers", + "over the past week novel coronavirus has dominated headlines as the infection continues to spread both in china and abroad and it wasnt even days into the crisis that several entities including novavax announced that theyre already feverishly working on new vaccines for the diseasethe company recently announced that because of its extensive history working with other types of coronavirus including both mers and sars it has what it takes to tackle this one with easeusing novavax recombinant nanoparticle vaccine technology the company expects to develop a vaccine candidate from the genetic sequence of the wuhan coronavirus novavax announced in a statementthe news caused an almost instantaneous spike in novavaxs share value which surged an astounding 60 percent that same daysince that time numerous other vaccine manufacturers have announced that they too are planning to develop their own vaccines for coronavirusone of these is johnson johnson jj which is facing a criminal investigation over the presence of toxic asbestos in its talcbased baby powder productsthe biotech firms inovio pharmaceuticals and moderna are also entering the fray of trying to develop their own respective vaccines for this emerging viral threat which as of this writing has infected nearly 10000 people and killed at least 213 others according to the official numbersguess whos paying at least in part for these upandcoming coronavirus vaccines taxpayerssince its expensive to do this especially for outbreaks that come and go and perhaps never come back each of these companies is reportedly relying on funding from nonprofit groups as well as the government meaning taxpayersmoderna for instance is receiving cash from the national institute of allergy and infectious diseases niaid as well as from the coalition for epidemic preparedness innovations a nongovernmental organization ngo funded by governments and private foundationswe are leveraging not our shareholders capital but notforprofit capital in a way thats nondilutive to the rest of our efforts says tal zaks modernas chief medical officerscientists in china are also working on a coronavirus vaccine and are currently in the process of investigating how monoclonal antibodies which were first developed for sars or severe acute respiratory syndrome might be reused to develop vaccines and antiviral drugs for novel coronavirus\nthese scientists have reportedly discovered an antibody that can be bound to the surface of novel coronavirus also known as 2019ncov in order to neutralize it which they hope will be able to tackle the disease sooner rather than laterfor more related news about big pharma be sure to check out bigpharmafetchnewsbut wait doesnt it take a long time to bring a new vaccine to marketthe problem with trying to address outbreaks such as this one the conventional way with vaccines and pharmaceuticals rather than natural remedies like oregano oil is that theres a lengthy process for bringing drugs and jabs to market\nwhat this means is that none of this will be ready in time for the current outbreak that is unless pharmaceuticals and vaccines for novel coronavirus are rushed to market as some reports are already indicatingclinical trials for one of the first vaccines are reportedly set for three months from now the locations of which are yet to be determinedit took scientists 20 months to develop a sars vaccine to test on humans but the nih national institutes of health hopes to have a vaccine ready for human trials by april reports the wall street journalyou can keep up with the latest coronavirus news by visiting pandemicnews and outbreaknews", + "https://www.newstarget.com", + "FAKE", + 0.07681523022432114, + 575 + ], + [ + "Coronavirus – No Vaccine Is Needed to Cure It", + "the new york times reported on 30 march that president trump retreated from his earlier statement that by 12 april the covid19 lockdown should be over and its backtowork time instead he said that an extension to the end of april was necessary and possibly even to june this he said was following the guidance of his advisors of whom dr anthony fauci director of the national institute of allergy and infectious diseases niaid within the national institute for health nih is onevirus covid19 has so far caused far less infections and death than the common flu in past years who reports on 30 march worldwide 750000 infections with a death toll of 36000 in the us about 161000 cases and 3000 deaths yet alarmist fauci claims that there may be millions of us coronavirus cases and 100000 200000 deaths and coincidentally so does bill gates using pretty much the same figuresall with the idea of pushing a vaccine down the throat of the publica multibillion dollar vaccine is not necessarythe niad and the bill and melinda gates foundation are collaborating with a view to developing a covid19 vaccinechina has proven that covid19 could be brought under control at rather lowcost and with strict discipline and conventional medication the same medicines and measures have been used for centuries to prevent and cure successfully all kinds of viral diseasesfirst a vaccine against covid19 or coronaviruses in general is a flu vaccine vaccines dont heal in the best case fluvaccines may prevent the virus from affecting a patient as hard as it might without a vaccine the effectiveness of flu vaccines is generally assessed as between 20 and 50 vaccines are foremost a huge moneymaking bonanza for big pharmasecond here are a myriad of remedies that have proven very successful see also this and thiscovid19 more hydroxychloroquine data from francefrench professor didier raoult who is one of the worlds top 5 scientists on communicable diseases suggested the use of hydroxychloroquine chloroquine or plaquenil a wellknown simple and inexpensive drug also used to fight malaria and that has shown efficacy with previous coronaviruses such as sars by midfebruary 2020 clinical trials at his institute and in china already confirmed that the drug could reduce the viral load and bring spectacular improvement chinese scientists published their first trials on more than 100 patients and announced that the chinese national health commission would recommend chloroquine in their new guidelines to treat covid19china and cuba are working together with the use of interferon alpha 2b a highly efficient antiviral drug developed in cuba some 39 years but little known to the world because of the us imposed embargo on anything from cuba interferon has also proven to be very effective in fighting covid19 and is now produced in a jointventure in chinathere is an old natural indian ayurveda medicine curcumin that comes in capsules as c90 it is an antiinflammatory antioxidant compound that has been successfully used to treat cancer infectious diseases and yes coronaviruses\nother simple but effective remedies include the use of heavy doses of vitamin c as well as vitamin d3 or more generally the use of micronutrients essential to fight infections include vitamins a b c d and eanother remedy that has been used for thousands of years by ancient chinese romans and egyptians are colloidal silver products they come in forms to be administered as a liquid by mouth or injected or applied to the skin colloidal silver products are boosting the immune system fighting bacteria and viruses and have been used for treating cancer hivaids shingles herpes eye ailments prostatitis and covid19\na simple and inexpensive remedy to be used in combination with others is mentholbased mentholatum its used for common flu and cold symptoms rubbed on and around the nose it acts as a disinfectant and prevents germs to enter the respiratory track including corona viruses\nchina is using cubas interferon alfa 2b against coronavirusnorthern italy and new orleans report that an unusual number of patients had to be hospitalized in intensive care units icu and be put 247 on a 90strength respirator with some of the patients remaining unresponsive going into respiratory failure the reported death rate is about 40 the condition is called acute respiratory distress syndrome ards that means the lungs are filled with fluid when this description of ards episodes applies dr raoult and other medical colleagues recommend covid19 patients to sleep sitting up until they are cured this helps drain the liquid out of the lungs the method has been known to work successfully since it was first documented during the 1918 spanish flu epidemicfinally chinese researchers in cooperation with cuban and russian scientists are also developing a vaccine which may soon be ready for testing the vaccine would attempt to address not just one strand of coronaviruses but the basic coronaviral rna genome rna ribonucleic acid to be applied as a prevention of new coronavirus mutations in contrast to the west working exclusively on profitmotives the chinesecubanrussian vaccine would be made available at low cost to the entire worldthese alternative cures may not be found on big pharma controlled internet internet references if there are any may advise against their use at best they will tell you that these products or methods have not proven effective and at worst that they may be harmful dont believe it none of these products or methods are harmful remember some of them have been used as natural remedies for thousands of years and remember china has successfully come to grips with covid19 using some of these relatively simple and inexpensive medicationsfew doctors are aware of these practical simple and inexpensive remedies the media under pressure from the pharma giants and the compliant government agencies have been requested to censoring such valuable information the negligence or failure to make such easily accessible remedies public knowledge is killing peoplethe role of bill gates and the lockdownbill gates may have been one of trumps advisors suggesting that he should extend the backtowork date to at least end april and if gates has his way to at least june that still remains to be seen gates is veryvery powerfulpresident donald trump said tuesday that he wants businesses to open by easter april 12 to soften the economic impact gates acknowledged tuesday that self isolation will be disastrous for the economy but there really is no middle ground he suggested a shutdown of six to 10 weeks cnbc march 24 2020 the bill and melinda gates foundation will drive the mass vaccination effort which is scheduled to be launched in the period after the lockdown\nthe vaccination association includes the coalition for epidemic preparedness innovations cepi a semingo to which nih niaid outsourced oversight of the vaccination program supported by bill gates gavi the global alliance for vaccines and immunization also a bill gates creation supported by who also amply funded by the gates foundation the world bank and unicef plus a myriad of pharmaceutical partners bill gates also strongly suggests that travelers must have in their passport a vaccination certificate before embarking on a plane or entering a countrythe program implementation including a related global electronic identityprogram possibly administered with nanochips that could be embedded in the vaccine itself would be overseen by the littleknow agency agenda id2020 which is also a bill and melinda gates foundation initiativebill gates is also known as a strong proponent of drastic and selective population reduction knowing what we know who would trust any vaccine that carries bill gates signature hope that this evil endeavor will not succeed is omnipresent we must hope to the end then the end will never come and gradually light will drown darkness", + "https://www.globalresearch.ca", + "FAKE", + 0.10693995274877625, + 1284 + ], + [ + "BILL GATES: THINGS WON’T GO BACK TO NORMAL UNTIL THE ENTIRE WORLD HAS HIS VACCINE", + "so it would seem that the coronavirus plan is working extremely well the plandemic that bill gates predicted 5 years ago is now playing out live on all screens across the planet it is not enough that people are losing work and being crippled by the orchestrated lock downhouse arrest but it cannot end until the project is complete and we are all vaccinated as stated by the new world leader mr bill gates bill gates joined fox news sunday host chris wallace yesterday to discuss his accurate prediction he made five years ago was that the deadliest event to face humanities future was not war but a virus not missiles but microbes he statedapparently he has been trying to prevent this but if you invest in a vaccine company and a microchip id system how can you appear to be in any way neutral when the business driver appears to be working so well he is a business man this is a very lucrative business bear in mind he would not give these vaccines to his own kids this is his business he understands the consequences and in amongst this noise it was ruled in court that the cdc cannot deny vaccines cause autism according to american truth today published in january this year when all this began believe it or not the coronavirus strain thats currently spreading throughout china and abroad is a patented virus thats owned by an entity called the pirbright institute which is partially funded by the bill and melinda gates foundationthe patent page for coronavirus explains that it may be used as a vaccine for treating andor preventing a disease such as infectious bronchitis in a subject a close look at the patent page also shows that the pirbright institute owns all sorts of other virus patents including one for african swine fever virus which is listed as a vaccinethe way this whole coronavirus situation is taking shape would seem to be exactly what gates once proposed as a solution to the alleged problem of overpopulation as he is now well known for saying in a previous ted talks and in many other places for it would seem to have been a bit of a big thing for him for how do we solve the problem of overpopulation he has mused this question for many years its easy these days to cut off any counter viewpoint as conspiracy but follow the money trail and it often leads to the culprit as well as to the boss for the boss here is very much mr gates and his technocracy cronies his endless media appearances are keeping him busy this is his time to shine and show the world he was right of course due to tax laws and corporate misconduct the guise of charity is a perfect cover and so hence the bill and melinda gates foundation was born for a donation from a charity is not seen as an investment even though charities are also businesses that make a fortune they still have shareholders who want a profit not a lossmost people think small mr gates thinks big of course you dont get to be the second richest man on the planet by playing mr nice guy throughout your career buying every decent start up and swallowing all your competition unless its in front of camera of course and doe bill knows the power of the media according to quartz he said in 2017 if anybody doesnt think we need the media thats a little scaryfor he is a major investor and understands not only the need for acquiring media companies but how the game really works getting his message out in the traditional media world as well as all the other platforms he is a baby of the digital age and was fortunate enough to be able to pile a monopoly of media companies if anybody says we dont need the media thats a little scary this idea that everybody watched the same media the media was completely neutralwe never really achieved that ideal which is why having many media groups and reducing barriers to entrywhich the digital technology has doneis a very good thing\nwhilst this is polite board room speak for buy everyone and controll the message but he appears to be pleased with the way it is going and there is still more to be done as he states that people should be waking up to a new realitybill gates is not an elected official as one of the wealthiest persons on the planet he has influenced public health policy for decades spanning the administration of several us presidents this is not new to him trump is only here for a term or two gates has been at this for decades nobody contributes more to the world health organization than bill gates does either directly through his bill and melinda gates foundation or through other organizations and enterprises he funds the bulk of spending through the bill and melinda gates foundation is for the development of vaccines they are behind the global alliance for vaccine and immunization gavi organization which supplements what who spends on vaccine developmenthe doesnt need the us senate when he holds the keys to the entire world he is richer and more powerful than most countries in the world and he is accountable to nobody event 201 briefing bill and melinda gates hosted event 201 back in october described as a highlevel pandemic exercise back in october with major business leaders and politicians that involved discussions about how public private partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequences held in partnership with the johns hopkins center for health security and the world economic forum this latest endeavor by bill gates is highly suspicious to say the least especially when considering that it was held just in time for the coronavirus outbreak dr fauci so now alongside his friend dr fauci bill appears pleased with the way things are going and the work dr fauci is doing the work that he paid for as they have an agreement however private or public that may be there is at least a ginormous conflict of interest here if nothing elsehow can you have a top advisor that also works for a company that is set to reap huge rewards from the very advice he gives how is this in any way impartial how is that not insider trading\nits like having ronald mcdonald working for the food board or the department of health or does he already dr fauci was granted an eye watering sum to get this job done this from the patriots for truth website march 6th entitled cdc propagandist anthony s fauci md received major funding from the bill and melinda gates foundationwho also funded the coronavirus patent holder the pirbright institute uk fauci just recently received 100 million grant from gates the gates foundation is also a major funder of the pirbright institute uk with darpa the wellcome trust uk darpa who eu dera whilst a handful of brave doctors are coming out and questioning the numbers most remain silent like the rest of the world they are fearful of losing their jobshow can we really be so sure that the coronavirus is responsible for the deaths mentioned when the tests are questionable and death certificates are being fudgedplease watch this video where montana physician dr annie bukacek discusses how covid 19 death certificates are being manipulated dr bukacek is a long time montana physician with over 30 years experience practicing medicine signing death certificates is a routine part of her jobdr birx dr debra birx the other doctor on the white house coronavirus task force has worked with dr fauci on hivaids research and vaccine development and also has financial ties to bill gates according to patrick howley writing for the national file dr birx discarded several proposed models for the coronavirus outbreak and chose a single model funded by bill gates via the institute for health metrics and evaluation ihme source howley also reports deborah birx sits on the board of the global fund which is heavily funded by bill gates organizational network as journalist jordan schactel discovered the bill and melinda gates foundation gave the global fund a 750 million promissory note in 2012the global fund explains the bill melinda gates foundation is a key partner of the global fund providing cash contributions actively participating on its board and committees and supporting the global funds advocacy communications and fundraising efforts the gates foundation has contributed us224 billion to the global fund to date and pledged us760 million for the global funds sixth replenishment covering 20202022 id2020 so lets look at the gates foundations other investments sorry donations as his planned id2020 also comes into fruition in the year of its naming which ties it all up nicely with a neat little bowthe id2020 alliance combines vaccines with implantable microchips to create your digital id in a reddit qa gates revealed his plan to use digital certificates to identify those who have been tested for covid19 microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against itwhilst the gates foundation has just offered a grant to cortellis seemingly for this very thing this from bio worlds article entitled centre for innovation in regulatory science awarded a 109m grant to help accelerate registration of medicines in low and middle income countries london uk march 9 2020 the centre for innovation in regulatory science cirs a neutral and independent international memberbased organisation headquartered in the uk has been awarded a phase two grant of 109m by the bill melinda gates foundation to continue their collaborative endeavours to expedite patient access to medicines in specific areas of greatest medical need in low and middle income countries for it is the low to middle classes who are having the most children the grant has been awarded to cirs for the purpose of tracking regulatory performance metrics in low and middle income countries whilst dna electronics has also earned a breakthrough device designation for lidiaseq also according to bioworld dna electronics ltd dnae won a us fda breakthrough device designation for its semiconductorbased dna sequencing technology lidiaseq and for the first assay based on the platform which will detect bloodstream infections and antimicrobial resistance amr genes at point of care the designation paves the way for clinical trials and will bolster work the company is doing to adapt the technology for the diagnosis of covid19 infections meanwhile dnanudge ltd another company set up by dnaes founder chris toumazou reported it has repurposed its consumer dna device to detect covid19 the ukgovernment has ordered 10000 of its testing cartridges which use optical technology to identify the coronavirus dnae says lidiaseq will bring genomic analysis into use at point of need the entire process is automated with all processing taking place in a single handsfree cartridge the compact device can be used by nonspecialists we can now go from raw specimen directly to actionable result and have automated the entire process said samuel reed president of dnae apart from increased accuracy we can go rapidly from a sample and we can do it in a diversity of environments he told bioworld lidiaseq can identify pathogens and amr markers in under three hours allowing patients to receive targeted rather than broad spectrum antiinfectives so whatever the register says about your dna it will decide what to inject in youis it just me or is that not pretty scary when we consider bill gates obsession with population control and reducing the number of children we go onto producewhats to say these devices or implants will not also mean there are less births how will we as ordinary people know what these ingredients are\nhow will we know that our children will not be unfertilised at this point how will we know any of it unless we at least consider the inherent dangers of a machine manipulating and altering our dnavaccines contain foreign dna already vaccines cause autism already vaccines disrupt your immune system and turn it against you already the article goes on to saydnaes sequencing technology uses standard silicon chips to detect the hydrogen ions that are released when dna or rna bases pair with their opposite number the signal registers as electrical impulses in november 2018 dnae was the first to demonstrate it is possible to sequence the dna of bacteria directly from an unprocessed blood sample that completed the initial phase of a us519 million contract with the biomedical advanced research and development authority and released 109 million for the development of the prototype devicednae will benefit from the extra fda input reed said we can have frequent and informal interactions whereas the conventional process is more formal it will help smooth the path he saidsure so now we dont even need approval to see what is actually happening to your dna or what is being pumped into your veins as this is based on informal hidden technologytechnology that can manipulate your very dna what better way to create the solution to the problem that is over population reduce the population and the peoples ability to decide anything for themselves via a piece of ai software control their reality and of course now covid19 is the time the reason the foe that must be slayedin the face of the current pandemic dnae has been working to apply the technology to detecting sarscov19 we are doing testing inhouse with lidiaseq with the coronavirus sequence to show it could be directly applied reed saidthe test which uses a cheek swab has now been converted to detect the rna of sarscov19 the repurposed test which delivers results in just over an hour has been clinically validated in an initial trial in covid19 patientsreduce peoples fertility rates life expectancy and movement problem solved scary stuff but if everybody can get back to their old lives break out of the prison that is their own home then of course people will be queuing up for the vaccines and we can see this all being a very successful set of investments sorry donations", + "HealingOracle.ch", + "FAKE", + 0.07638054568382437, + 2398 + ], + [ + "G2Voice Broadcast #182 The Coronavirus is curable! Do you believe it? You better!", + "g2church sacramental dosing for coronavirusfor adults 6 drops activated mms in 4 ounces of water every two hours 5 times first day repeat 2nd day if all symptoms are gone then continue with 3 drops and sic hour for 8 hours for another 3 daysfor small children same a sic above but with only 3 drops 1 drop instead of 3 drops for the 3 days after the first two days of strong dosingnote this should wipe it out this flulike virus that many are being scared with its presence in this world for sacramental guidance and products please contact us at supportgenesis2churchis", + "https://g2churchnews.org", + "FAKE", + 0.13148148148148148, + 103 + ], + [ + "Dallas student celebrating spring break at Louie's Backyard on South Padre island suddenly collapses.", + "cdc officials required the student to be quarantined after she was airlifted to a nearby hospital cdc officials say she exhibits every early sign of covid19", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + "The flu shot increases by 36% the risk of having the coronavirus.", + "the medical community strongly advises the population to get a flu shot to help combat the epidemic of this coronavirus honestly i never made any sense to me it is two different types of viruses so not now the flu shot works for all viruses concerningly the latest research shows that getting the flu vaccine increases the risk of getting the coronavirus by 36 heres the first link influenza vaccination and respiratory virus interference among department of defense personnel during the 20172018 influenza season flu vaccine increases coronavirus risk 36 says military study examining noninfluenza viruses specifically the odds of both coronavirus and human metapneumovirus in vaccinated individuals were significantly higher when compared to unvaccinated individuals or 136 and 151 respectively table 5 paraphrasing the study highlights the value of the human bodys ability to fight against viruses apparently by contracting influenza the body naturally may reduce the risk of noninfluenza respiratory viruses while influenza vaccination offers protection against influenza natural influenza infection may reduce the risk of noninfluenza respiratory viruses by providing temporary nonspecific immunity against these viruses on the other hand recently published studies have described the phenomenon of vaccineassociated virus interference that is vaccinated individuals may be at increased risk for other respiratory viruses because they do not receive the nonspecific immunity associated with natural infection like i blogged about before the flu shot is known to actually suppress your immune system", + "http://www.drsergegregoire.com/", + "FAKE", + 0.06166666666666668, + 235 + ], + [ + null, + "corona virus treatment stephen buhner has analyzed how corona viruses infect tissues what tissues they infect and the herbs that are useful to interrupt that process as well as the herbs useful to shut down the cytokine cascade they create here is his protocol this is a rather extensive protocol because the particular corona virus that is now spreading world wide is exceptionally potent in its impacts all the herbs are specific in one way or another for this virus a number of the herbs are strongly antiviral for corona viruses the formulations are preventative as well as specific for acute infections stephen buhner has used this with other corona virus infections including sars it works well", + "herbalamy.com", + "FAKE", + 0.15995370370370368, + 117 + ], + [ + "Bill Gates, a secret laboratory and a conspiracy of pharmaceutical companies: who can benefit from coronavirus", + "because of the coronavirus the world health organization has declared an emergency of international importance countries close borders one after another in russia they restrict traffic at checkpoints on the border with china and mongolia passenger rail services are stopped and air traffic is limited\ncases of infection have already been recorded in 23 states now on this list russia however is again sick of the citizens of chinaa patient with coronavirus infection is in a special ward the patient was suspected with suspicion on the day of crossing the border said svetlana lapa head of the rospotrebnadzor for the transbaikal territorythe number of infected around the world exceeded 14 thousand people another 20 thousand under suspicion more than 90 percent is accounted for by china itself more than 300 people became victims of the virus immediately in 31 provinces of china an emergency regime was introduceda virus vaccine is already being developed including by our scientists the russian ministry of health has prepared recommendations to prevent the spread of infectionthe leadership of the country is following the epidemic a special headquarters has been formed headed by deputy prime minister tatyana golikova the protective measures that are being taken in the regions are reported directly to the russian leader vladimir putinthe president ordered the evacuation of citizens of our country from the most infected regions with the help of the russian aerospace forces the first airplanes of the ministry of defense are ready to fly to the epicenter country russian prime minister mikhail mishustin decided to close ground checkpoints in the far east and the russians immediately removed from chinathe checkpoint is closed which is why a kilometerlong queue of heavy trucks has accumulated here and now a bus is passing by us there are tourists in it who urgently had to be evacuated from china zvezda correspondent denis ivlev reports from the border \nsophia horova is studying in harbin she was among those hundred russians who were urgently returned to their homeland by bus she admits that it was unexpected for herthey didnt tell us anything until the last on the contrary it was assumed that we would stay until march until the border was opened sofia saidat the border crossings all passengers underwent careful control checking with thermal imagers examination by doctors there were some difficulties two people were unhealthy they found a high fever which is the first symptom of a coronavirus just a few hours later the test showed that tourists had an ordinary sars but doctors were required to play it safetoday response measures are also being taken at regional levels in the border region with the province of heilongjiang blagoveshchensk a mask regime was introduced for schoolchildrenin vladivostok they prepared special isolated rooms for potential infected people they also do tests to identify coronavirus and carry out all the necessary procedures to monitor the condition of patients and prevent further spread of the diseasethe oncebustling chinese market in vladivostok is now empty even before the epidemic all the merchants left for their homeland to celebrate the eastern new year but the holidays will soon end and if the border is opened chinese citizens will begin to return en masse to russia including from the infected areas of chinamikhail schelkanov doctor of biological sciences professor at the fefu school of biomedicine and head of the virology laboratory of the federal research center for biodiversity of the far eastern branch of the academy of sciences knows everything about viruses he has worked with hundreds of diseases including ebola i am sure that the return of chinese citizens to russia should not be harmfuli see no reason to panic if you look at the incidence rate even if it is relative to the population of hubei province you will see that this is a tiny percentage the level of deaths from patients at the level of 23 with all the cynicism this is a very low percentage and we must take into account that the spread rate is much lower than the same flu that we are familiar with mikhail shchelkanov explainsthere are many theories about the origin of coronavirus and the further development of events the most popular one concerns the monstrous prediction of microsoft ceo bill gates last year he said that 33 million people could die from such a coronavirus in 250 days the calculations are purely mathematical but true the it tycoon is sureafter such statements adherents of conspiracy theories literally have no doubt that the virus is of artificial origin and bill gates is one of its main sponsors another fact adds weight to this theory a few months ago the head of microsoft held a conditional exercise called event 201 which simulated an outbreak of a new virus that killed 65 million people in 18 months the idea of the teachings is simple globalization for salvationso lets begin the world has been seized by a global pandemic and only wellcoordinated work of states and big business can stop it it is noteworthy that the famous pharmaceutical giants and the pentagon leadership participated in this theater of cruel cynicismthis cannot be a coincidence when the exercises were conducted the coronavirus did not exist either it should be nostradamus or the person who created it therefore these exercises are no longer even indirectly but directly confirm gatess involvement in this story said dmitry zhuravlev political scientist and director of the institute for regional problemsthe fact is that while the disease affects only the representatives of the mongoloid race such suspicious selectivity raises questions from experts no less widespread discussion was caused by the story around the laboratory for the study of dangerous viruses it is located in wuhan 32 kilometers from the same market where the disease was first recordedhowever there is another biolaboratory in wuhan until recently nothing was known about it her address is like someones joke gaoxin three sixes the number mentioned in the bible under which the name of the beast of the apocalypse is hidden but its even more symbolic that it exists on the money of the famous banker jorozh soros who shares the globalist ideas of bill gates it would seem that nuclear conspiracy theology is completely different but experts say that a tricky plan lies behind the absurd wrappershe is not only soros but also chinese and that might work 11 million people times chinese responsibility is higher if the virus escapes then china will respond and the united states and soros will be out of business a very good plan adds dmitry zhuravleveconomists claim that the outbreak of a new virus could cause another economic crisis trading on the hong kong stock exchange is accompanied by a decline in quotations assets related to tourism trade gambling and transport are falling but at the same time there are those who benefit from the coronavirusany pharmaceutical company that is involved in the development of epidemiologyrelated medicines be it vaccines antibiotics immunomodulators anything that can be considered a treatment for influenza it benefits from this its just like two or two said alexander saversky president of the patients league member of the expert council under the russian governmentsome marketing geniuses decided that the epidemic is a good reason to rebrand a simple sars pharmacies are actively selling antiviral and immunomodulating drugs with the slogans protect yourself from coronavirus one thing is clear those who benefit from the disease will continue to fuel mass hysteria after all a set of pills sprays and potions can be sold well and common sense is free wash your hands after the street and if you have symptoms of illness consult a doctor thats allhowever on a deadly virus you can earn not only money but also subscribers bloggers and just active users of social networks taking advantage of the moment shoot provocative videos that sometimes scare people to put it mildlysuch cynical humor allow themselves and the federal media the cartoonist of the famous danish publication jyllandsposten niels bo boysen redrawed the flag of china removing yellow stars from it and replacing them with images of the virus china even demanded a formal apology but received a refusal from the media leadership like this is not a mockery of the victims it is in europe freedom of speechbut the french publication agora is ironic over itself on a caricature the reaction of society to coronavirus and flu the first did not take a single life in france but is perceived as the end of the world the second kills 10 thousand french every year but no one pays attention to it", + "https://tvzvezda.ru/", + "FAKE", + 0.05724227100333295, + 1440 + ], + [ + null, + "the health minister of belgium has declared that she will forbid group sex activities including more than three persons the reason behind the decision is the highly contagious coronavirus\n\nthe minister had to act resolutely as belgium had a reputation of the binge drinking and group sex capital of europe\n\nthe minister decided to forbid sexual acts including three or more as last week 500 people were taking part in a coronavirus party that turned into a mass orgy and 380 of the participants caught the deadly infection", + "zavtra.ru", + "FAKE", + 0.15142857142857144, + 88 + ], + [ + "Manufactured Pandemic: Testing People for Any Strain of a Coronavirus, Not Specifically for COVID-19", + "i work in the healthcare field heres the problem we are testing people for any strain of a coronavirus not specifically for covid19 there are no reliable tests for a specific covid19 virus there are no reliable agencies or media outlets for reporting numbers of actual covid19 virus cases this needs to be addressed first and foremost every action and reaction to covid19 is based on totally flawed data and we simply can not make accurate assessmentsthis is why youre hearing that most people with covid19 are showing nothing more than coldflu like symptoms thats because most coronavirus strains are nothing more than coldflu like symptoms the few actual novel coronavirus cases do have some worse respiratory responses but still have a very promising recovery rate especially for those without prior issuesthe gold standard in testing for covid19 is laboratory isolatedpurified coronavirus particles free from any contaminants and particles that look like viruses but are not that have been proven to be the cause of the syndrome known as covid19 and obtained by using proper viral isolation methods and controls not the pcr that is currently being used or serology antibody tests which do not detect virus as such pcr basically takes a sample of your cells and amplifies any dna to look for viral sequences ie bits of nonhuman dna that seem to match parts of a known viral genomethe problem is the test is known not to workit uses amplification which means taking a very very tiny amount of dna and growing it exponentially until it can be analyzed obviously any minute contaminations in the sample will also be amplified leading to potentially gross errors of discoveryadditionally its only looking for partial viral sequences not whole genomes so identifying a single pathogen is next to impossible even if you ignore the other issuesthe mickey mouse test kits being sent out to hospitals at best tell analysts you have some viral dna in your cells which most of us do most of the time it may tell you the viral sequence is related to a specific type of virus say the huge family of coronavirus but thats all the idea these kits can isolate a specific virus like covid19 is nonsenseand thats not even getting into the other issue viral loadif you remember the pcr works by amplifying minute amounts of dna it therefore is useless at telling you how much virus you may have and thats the only question that really matters when it comes to diagnosing illness everyone will have a few virus kicking round in their system at any time and most will not cause illness because their quantities are too small for a virus to sicken you you need a lot of it a massive amount of it but pcr does not test viral load and therefore cant determine if it is present in sufficient quantities to sicken youif you feel sick and get a pcr test any random virus dna might be identified even if they arent at all involved in your sickness which leads to false diagnosisand coronavirus are incredibly common a large percentage of the world human population will have covi dna in them in small quantities even if they are perfectly well or sick with some other pathogendo you see where this is going yet if you want to create a totally false panic about a totally false pandemic pick a coronavirusthey are incredibly common and theres tons of them a very high percentage of people who have become sick by other means flu bacterial pneumonia anything will have a positive pcr test for covi even if youre doing them properly and ruling out contamination simply because covis are so commonthere are hundreds of thousands of flu and pneumonia victims in hospitals throughout the world at any one timeall you need to do is select the sickest of these in a single location say wuhan administer pcr tests to them and claim anyone showing viral sequences similar to a coronavirus which will inevitably be quite a few is suffering from a new diseasesince you already selected the sickest flu cases a fairly high proportion of your sample will go on to dieyou can then say this new virus has a cfr higher than the flu and use this to infuse more concern and do more tests which will of course produce more cases which expands the testing which produces yet more cases and so on and so onbefore long you have your pandemic and all you have done is use a simple test kit trick to convert the worst flu and pneumonia cases into something new that doesnt actually existnow just run the same scam in other countries making sure to keep the fear message running high so that people will feel panicky and less able to think criticallyyour only problem is going to be that due to the fact there is no actual new deadly pathogen but just regular sick people you are mislabeling your case numbers and especially your deaths are going to be way too low for a real new deadly virus pandemicbut you can stop people pointing this out in several waysyou can claim this is just the beginning and more deaths are imminent use this as an excuse to quarantine everyone and then claim the quarantine prevented the expected millions of deadyou can tell people that minimizing the dangers is irresponsible and bully them into not talking about numbersyou can talk crap about made up numbers hoping to blind people with pseudoscienceyou can start testing well people who of course will also likely have shreds of coronavirus dna in them and thus inflate your case figures with asymptomatic carriers you will of course have to spin that to sound deadly even though any virologist knows the more symptomless cases you have the less deadly is your pathogentake these 4 simple steps and you can have your own entirely manufactured pandemic up and running in weeks", + "https://www.globalresearch.ca/", + "FAKE", + 0.01211490204710543, + 999 + ], + [ + "THE DECISION TO GO AHEAD ON THE CORONAVIRUS PANDEMIC WAS TAKEN AT THE DAVOS FORUM BY THE ROTHSCHILDS AND THE GATES", + "the final decision to go ahead now was taken in january 2020 at the world economic forum wef in davos behind very much closed doors of course the gates gavi an association of vaccinationpromoting pharmaceuticals rockefellers rothschilds et al they are all behind this decision", + "https://southfront.org/", + "FAKE", + -0.14, + 45 + ], + [ + "THE CORONAVIRUS REPRESENTS THE END OF GLOBALISATION", + "the coronavirus epidemic represents the end of globalization the open society is ripe for infection anyone who wants to tear down borders prepares the territory for the total annihilation of humanity you can smile of course but people in white hazmat suits will put a stop to the inappropriate laughter only closedness can save us closedness in all senses closed borders closed economies closed supply of goods and products what fichte called a closed trade state soros should be lynched and a monument should be built for fichte", + "https://www.geopolitica.ru/", + "FAKE", + -0.005050505050505053, + 88 + ], + [ + "Can 5G exposure alter the structure and function of hemoglobin, causing coronavirus patients to die from oxygen deprivation?", + " is 5g to partially blame for coronavirus deaths can 5g cause the blood thats circulating in your body to be unable to carry oxygenwhats especially horrifying about the critical care of coronavirus patients is that they arent suffering from viral pneumonia but rather from an inability to absorb or carry oxygen in the bloodthis has been confirmed by nyc icu emergency physician cameron kylesidell who has released several videos detailing how coronavirus is not a kind of viral pneumonia were treating the wrong disease he says and the ventilators are damaging the lungs of patients he explainscovid19 lung disease as far as i can see is not a pneumonia and should not be treated as one rather it appears as if some kind of viralinduced disease most resembling high altitude sickness is it as if tens of thousands of my fellow new yorkers are on a plane at 30000 feet at the cabin pressure is slowly being let out these patients are slowly being starved of oxygenwatch him explain how coronavirus patients are dying from oxygen starvation not from a viral pneumonia lung infectionwhat this emergency room physician makes clear is that coronavirus patients are dying from oxygen deprivation not a classic scenario of viral pneumonia the patients lungs work fine in other words and the ventilators are actually damaging their lungs by forcing excessive pressure into themhow does blood transport oxygen in the first placehow exactly can all these patients be starved of oxygen when their lungs are technically working just fine to understand one possible answer you have to first understand how the blood carries oxygen its way more fascinating than you might have supposedwhen functioning normally 1 molecule of hemoglobin binds with 4 molecules of oxygen using iron fe2 forming oxyhemoglobin but this binding is only achieved because of something called partial pressure which means the concentration of oxygen in the lung tissues is higher than the concentration of oxygen on the hemoglobin molecule roughly stated this is simplified somewhat so the oxygen leaps to the hemoglobin in order to equalize the partial pressures across the chasmbut 5g radiation alters the porosity of cell membranes allowing some molecules or ionic elements to move more easily across those members displacing other molecules or soluble gasses such as carbon dioxide that might normally make that leap for example it is well documented that 5g radiation causes voltage gated ion channels vgic specifically with calcium ions vgcc causing cellular toxicity due to too much calcium entering the cell walls and poisoning the cellsthe research on this was published in environmental research heres the link and reveals that 5g exposure not only alters cell permeability porosity but also releases peroxinitrites in the body these are inflammationproducing molecules that ravage other healthy molecules circulating in the blooda thorough review of the available published science on wireless wifi and electromagnetic frequency emf exposure has identified at least seven different ways that wifi and emf microwave pollution actively harms the human bodypublished in the journal environmental research the peerreviewed paper explains that exposure to wifi signals which are everywhere these days can lead to oxidative stress sperm and testicular damage neuropsychiatric effects including eeg electroencephalogram changes apoptosis programmed cell death cellular dna damage endocrine changes and calcium overloadnote that coronavirus patients are already being observed with neuropsychiatric effects testicular damage and oxidative stress three of the symptoms of 5g exposurewe just created this simple chart to point out the similarities between 5g exposure and coronavirus symptoms feel free to share everywhere and link back to this article if possiblemass insanity due to psychiatric effects of cellular poisoning we also know that 5g radiation and its effects on the cells of the body can lead to symptoms of insanity hallucinations and even powerful personality changes interestingly cnns chris cuomo already described bouts of hallucinations as he was battling the coronavirus living in a high5g city nyc as i wrote on natural news last december5g radiation causes neuropsychiatric effects through a mechanism described as ion potentiation poisoning of brain cells according to research published in environmental researchthis results in behavioral changes and even personality changes among those who are routinely exposed researchers found in other words 5g is a weapon system that doubles as a telecommunications infrastructure but the real impact is to damage human brain function and destroy rationality reason and civility especially among those who live in high population cities where 5g towers are becoming ubiquitous thats why you may have noticed increased insanity and widespread mental derangement in those areaspart of this effect may also be due to the production of peroxynitrites which are generated in the bodys cells upon exposure to the voltage emitted by 5g radiation which is beamed at your body in a narrow cone of highintensity energy 5g antennae focus energy in a tight beam that follows you around we are already observing the coronavirus causing psychiatric effects including zombielike violent aggressive behavior such as deliberately spitting and coughing on peoplehow 5g radiation exposure alters the ability of red blood cells to carry oxygen getting back to the oxygen question the answer to why 5g radiation exposure may alter the function of hemoglobin is found in understanding the protein structure of hemoglobin itselfhemoglobin relies on something called the heme group which is a complex molecule with iron fe 2 in its center this is surrounded by something called a porphyrin ring which is a cluster of unique structures made of oxygen carbon and hydrogen that has a special affinity for other oxygen atoms the ability for oxygen to leap onto this molecule in the lungs depends entirely on the structure which also implies the ionic charges of these complex moleculesone thing to note in all this is that without the presence of histidine a special protein this heme group would have higher affinity toward carbon monoxide than oxygen meaning the entire heme group would be occupied by carbon monoxide blocking the absorption of oxygen thus the histidine presence is critical for allowing the heme group to bind with oxygen if you mess with histidine you end up forcing hemoglobin to carry co instead of o2 effectively creating oxygen deprivation in the bloodthis heme group by the way has special affinity for carbon dioxide which allows the same molecule to carry co2 out of the bodys cells and transport co2 back to the lungs remember the same hemoglobin molecule must carry both co2 and o2 but at different times and it must attract and then release those molecules at opposite times in order to rid the body of co2 and nourish the body with o2 this is all accomplished with a delicate balance of proteins and protein foldingthe hemoglobin molecule itself is a miracle of nanotechnology it transmorphs into two different structural states based on whether its carrying oxygen or not in whats called the rstate this molecule is like a magnet for oxygen when four oxygen atoms are bound it becomes a highly stable structure and appears red technically the binding of a single molecule of oxygen o2 increases the affinity toward oxygen on the three other oxygen sites making the hemoglobin mop up four oxygen molecules very quickly when it lacks oxygen it changes to a tstate and appears blue which is why lowoxygen blood has a blue colorthe important thing to understand in all this is that any alteration of the delicate structure of hemoglobin will impair its ability to bind with oxygentake a look at the hemoglobin molecule representation above from apsubiologyorg and note the heme groups which are positioned in four places across the molecule the polypeptide chains are part of the transmorphing structure of the molecule that allows it to carry and release both co2 and o2 depending on the partial pressures of the gasses at different locations in the body lungs vs other cells note carefully that any change in the structure of hemoglobin will cause it to stop functioningincreasing the permeability of the hemoglobin molecule ie its affinity toward other soluble gasses such as carbon dioxide will occupy the hemoglobin molecule with the wrong substances making it unable to absorb oxygen because it is not presenting in its rstate by the time the heart pumps the blood back to the lungsstated another way anything that significantly alters the affinity of hemoglobin toward other soluble gasses carbon dioxide carbon monoxide or even ionic minerals in the blood could shut off the ability of blood to carry oxygen by altering its atomic structureif you change the structure of the heme group it no longer functions to transport oxygen because in the case of the heme group the structure is the function perhaps this can only be appreciated by organic chemists but this heme group is truly a miracle of nanotechnologyheres a diagram of how iron histidine the heme group and o2 oxygen molecules interact with hemoglobin which alters its structure depending on the oxygenated vs deoxygenated forms can 5g exposure alter the structure of hemoglobin by increasing its affinity toward other molecules which are not o2\nthe real question in all this is best phrased as i have asked it above i doubt that we are dealing with a phenomenon where 5g radiation exposures blocks the ability of hemoglobin to carry oxygen but rather occupies the hemoglobin molecule with other elements that alter its structure and therefore its function inhibiting its ability to bind with oxygenthis is very likely happening all across the world wherever 5g is currently functioning its just that the coronavirus is now exacerbating the symptoms and conditions to the point where mass death is occurringin other words the coronavirus pandemic would likely not be nearly as bad if 5g exposure radiation pollution wasnt already compromising the structure and function of hemoglobin cells in the bodies of people who live in 5g citiesthis doesnt mean the coronavirus isnt real of course just that these two attacks on the human body have a synergistic effect of toxicity and mortalityconclusion humanity is committing suicide with 5gwhile i strongly disagree with those who are claiming theres no such thing as a virus or that the coronavirus is a hoax i do agree that the widespread deployment of 5g antennas is a kind of suicide pact for the worldjust as the romans built their aqueducts out of lead linings and thereby poisoned their own citizens driving them insane with load poisoning the modern world of big tech and telecommunications is mass poisoning humanity with electropollutionright now a lot of people are talking about the book the invisible rainbow by john kaminski who believes coronavirus is an electrical disease and that 5g alone is causing all the mass deaths not the virus he writes things like the flu is not contagious and the quarantine is all a terrible hoaxsurely he is wrong on those claims but he may not be wrong at all about the toxicity of electropollution and how 5g is actually a kind of suicide system thats destroying humanity\nthis all deserves a tremendous amount of additional study but because we live in a world where big tech controls all the narratives and censors all those who question the safety of 5g it now seems impossible for humanity to extricate itself from this mass suicide mission that has already been unleashed\nand that doesnt even cover the topic of vaccines what if bill gates vaccines are being deliberately engineered to contain toxic substances that 5g exposure will push into the cells causing widespread death from binary exposure and subsequent cell toxicityit sure would be a simple way for bill gates to achieve his global depopulation dreams all while administering a global iq test that finds out which people are stupid enough to line up and be injected with a euthanasia weapon systemwatch my video here on how we can end this pandemic and end the lockdowns too by turning to nutrition and masks", + "https://www.naturalnews.com/", + "FAKE", + 0.01762876719883091, + 1989 + ], + [ + "5G radiation and the COVID-19 pandemic: Coincidence or causal relationship", + "two documents reprinted on each argue that there are reasons to think that 5g radiation is greatly stimulating the coronavirus covid19 pandemic and therefore an important public health measure would be to shut down the 5g antennae and particularly the small cell 5g antennae in close proximity to our homes schools businesses house of worship and hospitals the first of these documents 1 published by miller et al concerns the impact of 5g radiation on the immune system of the body and also suggests that 5g radiation may also increase the replication of the virus in both of these ways 5g radiation may be expected to make the covid19 pandemic much worse the second of these documents 1 is my own and is derived from a larger document on 5g radiation effects 2 it starts with the history of 5g in wuhan china the epicenter of the covid19 epidemic wuhan is chinas first 5g smart city and is the location of chinas first 5g highway where 5g radiation is being used to test selfdriving vehicles approximately 10000 5g antennae were installed and activated in wuhan in 2019 with approximately 75 to 80 of these installed and activated in the last 2 ½ months of the year the epidemic was first detected near the beginning of that 2 ½ month period and became vastly more severe with extremely large increases in numbers of cases and in deaths by the end of 2019 that may of course be coincidental the death rate in other parts of china from covid19 infections has been substantially lower than that in wuhan with its unparalleled high numbers of 5g antennae xu et al bmj 2020 368m606 that of course could also be coincidental south korea which became the site of the worst epidemic outside of china has large numbers of 5g antennae all over the country the milan area of italy currently the worst epicenter in europe also is a 5g center and seattle area which was the worst area in the us is also a major 5g area new york city has become the largest epicenter in the us is another 5g site these nonchinese epidemic areas are not discussed in my paper but these findings are accurate again the locations of these epicenters in 5g areas may be coincidentalthese figures add to the argument that 5g radiation may have a substantial role in exacerbating the covid19 pandemic they are not definitive however and we must look to the mechanism of action of emfs and the evidence that other emfs produce similar if less severe effects which are similar to but less severe than what we are apparently seeing following 5g exposure electromagnetic fields including the highly pulsed and therefore highly dangerous 5g millimeter wave radiation act via activation of voltagegated calcium channels vgccs with vgcc activation producing five different effects each of which have roles in stimulating the replication and spread of coronaviruses excessive intracellular calcium oxidative stress nfkappab elevation inflammation apoptosis programmed cell death the predominant cause of death in the covid19 epidemic is pneumonia and each of these five effects also have roles in pneumonia such that each of them is predicted to greatly increase the percent of people dying in this epidemic it seems highly plausible that 5g radiation is greatly increasing the spread of the epidemic and also the death rate in individuals that are infected you may wish to consider all of this in conjunction with the broader findings with regard to the dangers of 5g and other effects apparently produced by 5g exposures how then did we get to this state many independent scientists including myself have argued that there should be no 5g rollout until there is extensive biological safety testing of genuine 5g radiation with all of its dangerous modulating pulses however the industry has refused to get independent 5g testing and the fcc and other regulatory agencies have refused to require such testing furthermore the emf safety guidelines which are supposed to protect us from health impacts of emf radiation have been shown based on eight different types of highly repeated studies to fail massively to predict biological effects they therefore fail to predict safety 3 it follows from this that all assurances of safety based on these safety guidelines are fraudulent consequently there is no evidence whatsoever of 5g safety and much evidence of lack of safety it is my opinion therefore that 5g radiation is greatly stimulating the coronavirus covid19 pandemic and also the major cause of death pneumonia and therefore an important public health measure would be to shut down the 5g antennae particularly the small cell 5g antennae in close proximity to our homes schools businesses houses of worship and hospitals i will list some of my professional qualifications following the citationswe must look to the mechanism of action of emfs and the evidence that other emfs produce similar if less severe effects which are similar to but less severe than what we are apparently seeing following 5g exposure electromagnetic fields including the highly pulsed and therefore highly dangerous 5g millimeter wave radiation act via activation of voltagegated calcium channels vgccs with vgcc activation producing five different effects each of which have roles in stimulating the replication and spread of coronaviruses excessive intracellular calcium oxidative stress nfkappab elevation inflammation apoptosis programmed cell death the predominant cause of death in the covid19 epidemic is pneumonia and each of these five effects also have roles in pneumonia such that each of them is predicted to greatly increase the percent of people dying in this epidemic it seems highly plausible that 5g radiation is greatly increasing the spread of the epidemic and also the death rate in individuals that are infected you may wish to consider all of this in conjunction with the broader findings with regard to the dangers of 5g and other effects apparently produced by 5g exposures how then did we get to this state many independent scientists including myself have argued that there should be no 5g rollout until there is extensive biological safety testing of genuine 5g radiation with all of its dangerous modulating pulses however the industry has refused to get independent 5g testing and the fcc and other regulatory agencies have refused to require such testing furthermore the emf safety guidelines which are supposed to protect us from health impacts of emf radiation have been shown based on eight different types of highly repeated studies to fail massively to predict biological effects they therefore fail to predict safety 3 it follows from this that all assurances of safety based on these safety guidelines are fraudulent consequently there is no evidence whatsoever of 5g safety and much evidence of lack of safety it is my opinion therefore that 5g radiation is greatly stimulating the coronavirus covid19 pandemic and also the major cause of death pneumonia and therefore an important public health measure would be to shut down the 5g antennae particularly the small cell 5g antennae in close proximity to our homes schools businesses houses of worship and hospitals i will list some of my professional qualifications following the citations", + "http://www.electrosmogprevention.org/", + "FAKE", + 0.029382650395581435, + 1192 + ], + [ + "A ‘High-Level Exercise’ Conducted 3 Months Ago Showed That A Coronavirus Pandemic Could Kill 65 Million People", + "just over three months ago a highlevel pandemic exercise entitled event 201 was held in new york city on october 18th the johns hopkins center for health security in conjunction with the world economic forum and the bill melinda gates foundation brought together 15 leaders of business government and public health to simulate a scenario in which a coronavirus pandemic was ravaging the planet the current coronavirus outbreak that originated in china did not begin until december and so at that time it was supposedly just a hypothetical exercise the following comes from the official page for this event\nthe johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation hosted event 201 a highlevel pandemic exercise on october 18 2019 in new york ny the exercise illustrated areas where publicprivate partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequencesi find it quite interesting that the bill melinda gates foundation was involved because they are also financial backers of the institute that was granted a us patent for an attenuated coronavirus in november 2018\nit appears that the bill melinda gates foundation has been quite interested in the threat posed by coronaviruses for quite some timeeric toner a researcher at the johns hopkins center for health security spearheaded putting event 201 together in his scenario a coronavirus outbreak had begun on brazils pig farmstoners simulation imagined a fictional virus called caps the analysis part of a collaboration with the world economic forum and the bill and melinda gates foundation looked at what would happen if a pandemic originated in brazils pig farmseven though the outbreak was quite limited at first toners scenario ultimately showed that a coronavirus pandemic could kill 65 million peoplethe pretend outbreak started small farmers began coming down with symptoms that resembled the flu or pneumonia from there the virus spread to crowded and impoverished urban neighborhoods in south americaflights were canceled and travel bookings dipped by 45 people disseminated false information on social mediaafter six months the virus had spread around the globe a year later it had killed 65 million peoplelet us certainly hope that this current outbreak does not evolve into that sort of a nightmareaccording to reuters there are now more than 800 confirmed cases and the death toll has shot up to 25china confirmed 830 cases of patients infected with the new coronavirus as of jan 23 while the death toll from the virus has risen to 25 the national health commission said on fridaybut many are skeptical that the official figures are accurate because the images coming out of wuhan are extremely alarmingdisturbing images of wuhan residents dropping unresponsive to the floor have emerged on instagram following the diseased chinese citys coronavirus lockdown\nwuhan has been branded a zombieland by frantic locals after chinese authorities told residents they are not allowed to leave yesterday morning\npictures from inside the city paint an apocalyptic picture as medics patrol in hazmat suits and gas masksover the past 48 hours numerous videos have been posted on social media that supposedly show violently sick people that have literally collapsed in the streets of wuhan here is just one exampleand in another video hundreds of maskwearing chinese citizens are crammed into the hallways of a hospital in wuhan as they wait to see a doctorthis is something that i wrote about yesterday and even though i documented my claims i dont think that a lot of people believed me\nin fact when i told my wife what was happening at the hospitals even she didnt believe me at firstbut this is actually happening and one video from a wuhan hospital even shows a patient that collapsed on the ground as he waited to see a doctorchinese authorities are trying to keep everyone calm but they are definitely treating this like it is no ordinary outbreak for example one airline passenger that was suspected of having the virus was actually wheeled out of an airport in a quarantine boxfootage has emerged showing an airline passenger with suspected sarslike coronavirus being wheeled out of an airport in a quarantine boxthe man inside the box is wearing a protective suit a mask and gloves after he reportedly showed possible symptoms including a fever during screening and was isolated from other travellersthe box is surrounded by staff wearing blue masks as it is wheeled to a waiting ambulance outside a terminal at the airport in fuzhou in southeastern chinathe whole world was stunned when it was announced that the entire city of wuhan would be facing a quarantine but now seven other chinese cities are also being locked downin addition big cities all over china are canceling festivities for the upcoming lunar new year holiday major chinese cities including beijing and quarantineblocked wuhan banned all large gatherings over the coming lunar new year festival the most important holiday on the chinese calendar in an expanding effort to contain a rapidly spreading coronavirus outbreakthe announcement thursday came as authorities expanded travel restrictions imposed on wuhan to surrounding municipalities shutting down travel networks and attempting to quarantine about 25 million people more than the population of floridawe have never seen anything like this before in the entire modern history of chinawould chinese officials really take such dramatic measures if the threat was not realof course here in the united states the cdc is assuring us that we dont have anything to be concerned about we dont want the american public to be worried about this because their risk is low says anthony fauci head of the national institute of allergy and infectious diseases on the other hand we are taking this very seriously and are dealing very closely with chinese authoritieshopefully they are correct and hopefully this outbreak will blow over sooner rather than laterbut a virologist that played a key role in identifying sars in 2003 insists that what we have seen so far is just the beginninga bigger outbreak is certain said guan yi a virologist who helped identify severe acute respiratory syndrome sars in 2003 he estimated conservatively he said that this outbreak could be 10 times bigger than the sars epidemic because that virus was transmitted by only a few super spreaders in a more defined part of the countrywe have passed through the golden period for prevention and control he told caixin magazine from selfimposed quarantine after visiting wuhan whats more weve got the holiday traffic rush and a dereliction of duty from certain officialsand if that wasnt enough to send a chill down your spine just check out what else he had to say ive seen it all bird flu sars influenza a swine fever and the rest but the wuhan pneumonia makes me feel extremely powerless he told caixin most of the past epidemics were controllable but this time im petrifiedthe next week or two will be an absolutely critical timeif authorities are able to stop the number of cases from rising at an exponential rate and if there are able to keep it mostly confined to just a few areas of china we may have a chance to prevent a global pandemicbut if not we may be facing a worst case scenarioand according to event 201 a worst case scenario could potentially mean tens of millions of dead people", + "http://theeconomiccollapseblog.com/", + "FAKE", + 0.03432958410636981, + 1236 + ], + [ + "A Report on Successful Treatment of Coronavirus", + "dr vladimir zev zelenkoboard certified family practitioner 501 rt 208 monroe ny 10950 march 23 2020 to all medical professionals around the worldmy name is dr zev zelenko and i practice medicine in monroe ny for the last 16 years i have cared for approximately 75 of the adult population of kiryas joel which is a very close knit community of approximately 35000 people in which the infection spread rapidly and unchecked prior to the imposition of social distancingas of today my team has tested approximately 200 people from this community for covid19 and 65 of the results have been positive if extrapolated to the entire community that means more than 20000 people are infected at the present time of this group i estimate that there are 1500 patients who are in the highrisk category ie 60 immunocompromised comorbidities etcgiven the urgency of the situation i developed the following treatment protocol in the prehospital setting and have seen only positive resultsany patient with shortness of breath regardless of age is treated any patient in the highrisk category even with just mild symptoms is treatedyoung healthy and low risk patients even with symptoms are not treated unless their circumstances change and they fall into category 1 or 2my outpatient treatment regimen is as followshydroxychloroquine 200mg twice a day for 5 days azithromycin 500mg once a day for 5 days zinc sulfate 220mg once a day for 5 days video coronavirus treatment new york doctor vladimir zelenko finds 100 success rate in 350 patients using hydroxychloroquine with zinc\nthe rationale for my treatment plan is as follows i combined the data available from china and south korea with the recent study published from france sites available on request we know that hydroxychloroquine helps zinc enter the cell we know that zinc slows viral replication within the cell regarding the use of azithromycin i postulate it prevents secondary bacterial infections these three drugs are well known and usually well tolerated hence the risk to the patient is lowsince last thursday my team has treated approximately 350 patients in kiryas joel and another 150 patients in other areas of new york with the above regimenof this group and the information provided to me by affiliated medical teams we have had zero deaths zero hospitalizations and zero intubations in addition i have not heard of any negative side effects other than approximately 10 of patients with temporary nausea and diarrheain sum my urgent recommendation is to initiate treatment in the outpatient setting as soon as possible in accordance with the above based on my direct experience it prevents acute respiratory distress syndrome ards prevents the need for hospitalization and saves liveswith much respect dr zev zelenko", + "https://www.globalresearch.ca/", + "FAKE", + 0.03399852180339985, + 451 + ], + [ + "NYU Professor Notes Coronavirus May Be ‘Bi-Phasic like Anthrax’, It’s Time to Press the Chinese for More Answers", + "fox news reports that a japanese woman who recovered tested negative from coronavirus has been infected a second time this is the first instance of a second infection outside of chinareuters reported that japans health minister katsunobu kato has advised the government to review previous patient lists and monitor the condition of those previously dischargedphilip tierno jr professor of microbiology and pathology at nyu school of medicine told reuters im not certain that this is not biphasic like anthrax once you have the infection it could remain dormant and with minimal symptoms and then you can get an exacerbation if it finds its way into the lungsjapan is scheduled to host the 2020 summer olympics in tokyo tierno said japan may want to consider postponing the olympics if this continuesthere are many people who dont understand how easy it is to spread this infection from one person to anotherdr joel s holmes an engineer is the author of a newly released book entitled the china virus corona pandemic what families and countries can do which i read last night what i learned was unsettling to say the least holmes is in the sen tom cotton rar camp and he lays out the case quite specifically in this book\ncotton said we dont have evidence that this disease originated there but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says and china right now is not giving evidence on that question at allalthough the theory that the coronavirus may be a weaponized virus has been disputed by the left the chinese cannot be trusted in light of the uncommon characteristics of this virus the possibility must at least be explored and ruled out before it is dismissed as a conspiracy theorythe extraordinary length of the incubation period and its transmissibility during that periodthe length of time the virus remains alive on surfaces nine daysits high r0 or basic reproduction number the number of people an infected person will transmit the disease to holmes points out that the 1918 influenza had an r0 of 18 the novel coronavirus has an r0 thus far of about 22 and its getting worse as the virus mutates putting it in terms of a pandemic it means that new infections caused by the covid19 will double every 64 daysholmes tells the story of how the chinese may have obtained the coronavirus in the following excerptspecifically we start at canadas national microbiology laboratory nml in winnipeg and with scientific director dr frank plummeron may 4 2013 the novel coronavirus arrived at the canadian lab in winnipegit was sent by well known dutch virologist ron fouchier of the erasmus medical center in rotterdam most certainly because the national microbiology laboratory of canada specializes in complete testing services for covid19fouchier himself had received it from a colleague in the middle east dubai who had isolated the virus from the lungs of a patientthe canadian lab grew a research bank of the new virus and set about to see what animals could be infected by itthe national microbiology laboratory is the only level 4 virology lab in canada capable of handling the most dangerous diseasesunfortunately there were additional dangers that the lab was not aware of and those dangers were high level chinese staff members who were engaged in espionage and theftone of the chinese spies was director of the vaccine development and antiviral therapies section in the special pathogens program xiangguo qiu graduated from hebei medical university in 1985 and came to canada for advanced studies if the word hebei sounds familiar its because thats the province in china which is the epicenter of the corona pandemichow dr xiangguo qiu morphed from a medical doctor to a virologist is not known but she ended up doing leading work at the canadian laband she was not alone at that lab her husband dr keding cheng a bacteriologist was also at the national microbiology laboratory and who also mysteriously shifted into virologytogether they infiltrated the nml and engaged in theft of technology secrets and of actual viral samples which they sent secretly to chinaof importance is that xiangguo qiu is a specialist in biological warfarethe management and staff of the nml were sleeping at the wheel while these two engaged in theft of dangerous viral samples perhaps political correctness played a role in turning a blind eye to possible irregularitiesin addition to their own espionage and thefts these two arranged for additional chinese nationals to infiltrate the nmlstolen materials including samples of the novel coronavirus were somehow taken or shipped by this group of six to wuhanand possibly taken personally by dr xiangguo qiu on multiple trips she made to the wuhan institute of virology in 2017 and 2018it was not until early july 2019 too late that the canadian lab woke up to the obvious even then they did not act appropriately and bring in law enforcement but simply escorted xiangguo qiu and her husband out of the buildingwhile we cant know exactly what these two chinese doctors were doing at the lab or what their motives were the timeline holmes specifies and the fact that the couple had been escorted out of the building last july are corroborated by this cbc canada article dated october 3 2019 additionally the article confirms that they are currently under investigation by the royal canadian military police the receipt and the timing of the coronavirus sample is corroborated hereit all sounds very plausible china has a long history of stealing research and technology from foreign countries the most recent example was the fbis arrest last month of the chair of harvards chemistry department for lying about the work he was doing for the chinese government two other boston area professors were arrested for aiding chinas efforts to steal scientific researchwe would be foolish not to investigate", + "https://www.redstate.com/", + "FAKE", + 0.041219336219336225, + 987 + ], + [ + "Bill Gates Worked To End Livestock Production, Pushed Lab Grown Meat", + "bill gates and food giant tyson heavily backed lab grown meat researchas the united states faces unprecedented meat shortages due to processing plants going offline in response to the coronavirus a longstanding globalist agenda to halt meat consumption is being fulfilledtyson foods recently warned that the food supply chain is breakinglockdowns have created a situation in which farmers have nowhere to send their product and in turn millions of animals are being slaughtered additionally vegetables that would normally end up on store shelves are rotting in the fielddespite this reality twitter has announced that talk of food shortages will be censoredlab grown meat producers are hoping that the covid19 outbreak could boost public acceptance as bill gates was working to establish a worldwide digital id system prior to the pandemic he was also working to end meat production and funding lab grown meat", + "https://www.activistpost.com/", + "FAKE", + 0.047222222222222214, + 143 + ], + [ + "German Doctors Say There is a Need to Lower Wireless Exposures re. Virus", + "we doctors and psychotherapists oriented towards environmental medicine see a connection between radio interference immunodeficiency and global epidemic\nwe call for drastically reducing the burden of highfrequency exposure that is spreading worldwidethe inhabitants of the globe are currently experiencing an extensive wave of diseases due to the sars corona virus 2 elderly people with often deficient vital substances and those with previous illnesses or with a weakened immune system eg due to the vitamin d deficiency which is particularly prevalent in winter and spring are particularly at risk the losses in human life and the consequences for the economy and employees due to the politically prescribed massive contact restrictions cannot be estimated nor can the psychosocial consequenceswe the undersigned doctors and psychotherapists consider two other factors to be significant in addition to the above in addition to the degree of infectivity of the virus the susceptibility of the host plays a role that is specifically how well the immune system works and whether specific virus antibodies are missing or have already been formed in prevention and therapy the most important thing is to prevent a weakening of the immune system and in addition to strengthen the immune system therapeutically immune system damage occurs for example from widespread toxins malnutrition some medications air pollution and certain lifestyle factors alcohol nicotine in addition there have been new harmful environmental influences for the past two decades the effects of which we have seen more and more frequently in our medical and psychotherapeutic work it is about the constant exposure to mobile communications cell phones and smartphones and the associated base stations and similar technologies with pulsed radio frequency wlan with the frequencies 24 and higher than 5 ghz dect cordless phones baby phones tablets bluetooth intelligent measuring systems socalled smart meters radar etcthere is already a wealth of research results on the radiooperated devices mentioned and the previous mobile radio standards 2g gsm 3g umts 4g lte which for the most part turned out to be unsettling according to the opinion of many industryindependent experts pulsed highfrequency technology is now considered to be one of the causes of numerous health problems eg sleep disorders headaches behavioral disorders depression and exhaustion due to increased production of free radicals oxidative stress inter alia yakymenko 2016 furthermore scientific research is available on changes in the heart rhythm changes in gene expression changes in metabolism the development of stem cells the development of cancer cardiovascular diseases cognitive impairments dna damage effects on general wellbeing increased number of free radicals learning and memory deficits impaired sperm function and quality see the list of scientific studies in international scientist appeal 2015 appeal stop 5g firstenberg 2018 influences of highfrequency signals on the immune system were also determined infection cluster near base stations waldmannselsam 2005 grigoriev 2012 szmigielski 2013 moskowitz 2020 in addition to undisturbed melatonin production reiter robinson 1995 vitamin d3 is crucial for the functioning of the immune system the docking point for vitamin d3 vitamin d receptor vdr is inhibited by mobile radio so that it cannot develop its immunoregulatory effect kaplan 2006 marshall 2017 man is a bioelectromagnetic being the living cells have electrical potentials in the millivolt range on the cell membranes their function can be disturbed by lowfrequency electrical fields and radio a weakening of the cell membrane potential demonstrably leads to different clinical symptoms the radiation protection commission german ssk had already determined in 1991 that radio radiation below the limit values increases the calcium transport through the cell membrane ssk 1991 independent scientists are currently discussing the existence of voltagedependent calcium channels which irritated by weak electromagnetic fields can cause negative effects in the cell pall 2018 in a study by the agricultural university of wuhan china bai and colleagues report that coronaviruses in the pigs intestinal epithelium increased the influx of calcium and thus promoted virus replication the infection can be inhibited by special drugs the calcium channel blockers bai 2020 a summary of the current scientific knowledge can be found in diagnose funk ngo diagnose funk 15042020 5g is already under construction in major german cities and in individual rural regions a letter from transport minister scheuer and environment minister schulze from the beginning of april clearly shows what is required of the politically responsible persons in cities municipalities and rural districts you have to help find the location for the new mobile radio systems and ultimately support the planned transmitters on site südkurier 2020 three different frequency ranges are used here around 700 megahertz used for large events around 36 gigahertz smart cities around 26 gigahertz indoor supply supply networks german federal government 2017 this increases the antenna density and thus the radiation exposure of the population many times over we consider the introduction of 5g and the disregard for the precautionary principle to be highly risky as no risk assessment has been carried out disregarding the precautionary principle and the few existing studies show highly questionable results the persistently repeated reference by the industry and the authorities to the supposedly safe limit values which were laid down in the 26th bimschv is misleading the icnirp ev international commission on nonionizing radiation protection on whose recommendation to politicians the limit values are based is biased because of its proximity to industry icnirp and eprs 2020 starkey 2016 on scenihr 2015 the limit values relate only to shortterm warming by mobile radio and do not offer protection to the population in our view the current situation with the dangerous sars coronavirus requires decisive actionwe doctors again appeal to all those responsible in government and healthcarestop 5greduce the ubiquitous forced radiation of the population educate the population comprehensively about the harmful effects of mobile radio and the other highfrequency technologies mentioned here stop the dominant influence of the icnirp and the mobile radio lobby on the radiation protection commission federal office for radiation protection and government instead of promoting stateoftheart cell phone expansion and the cell phone industry as before it is now a top priority to support the health of the population their ability to work and care by all meansfor the health of all of us", + "https://electromagnetichealth.org/", + "FAKE", + 0.041118540850683706, + 1027 + ], + [ + "Study Shows Direct Correlation between 5G Networks and “Coronavirus” Outbreaks", + "at last the first study has emerged regarding the very clear relationship between coronavirus outbreaks and the presence of 5g networks thanks to claire edwards for making this available in english the covid19 pandemic and its effects in early 2020 have surprised scientists and politicians if any study aimed at understanding the phenomenon and which consequently may help to clarify the causes of the pandemic is carried out it should be promoted andor taken into consideration the correlation between cases of coronavirus and the presence of 5g networks has been addressed in alternative media and social networks it is noteworthy that at least in spain the media have not covered the scientific studies on the subject of 5g nor asked the government any questions about this in the daily press conferences that it conducts to report on the state of the situation the team of scientists advising the spanish government has also failed to raise this issueit is common sense that the ability to demonstrate this correlation would be very important data to contribute to the understanding of and the solution to the problemobjectiveto assess whether a correlation exists between cases of coronavirus and the presence of 5g networks without entering for the moment into subsequent causeeffect approaches in the case of positive results given that there is a sufficiently large statistical sample it is possible for the results obtained to have a high level of reliabilitymaterial and methodsthe study has benefited from the official statistical material published daily which is a basic and valuable tool it should be noted that in these publications the methodology used for counting cases of coronavirus infections does not generally provide real data in spain and many other countries it has not been calculated as there are not enough tests for such analyses however this does not alter the results of this study since it is based on the comparative rather than the absolute method of infection therefore in order to avoid statistical error we will compare the density value of confirmed cases of coronavirus expressed in number of cases per 1000 inhabitants instead of absolute values since the criterion for counting used by the health authorities within the same state or city is the same the comparison of published values for different cities or regions will be equally reliable for statistics comparisons between different countries of confirmed cases excluding asymptomatic cases will be equally reliable the possible exception of some nontransparent country that could manipulate the publication of its data is beyond the control of this studythe method used was to compare the incidence no of cases per 1000 inhabitants between countries with and without 5g technology between regions of the same country with and without 5g technology between cities of the same state with and without 5g technology between different neighbourhoods of the same city with the 5g network map of that city comparing states with common borders with and without 5g technology comparing the case of one state within another as is the case of san marinothe data for each chart were taken on the same day graphic results and data published belowfindings the results obtained demonstrate a clear and close relationship between the rate of coronavirus infections and 5g antenna locationthis study does not analyse the beneficial or harmful effects on humans of 5g electromagnetic radiation however it does indicate a possible causeeffect in the current pandemica border effect is significant original and unique to this pandemic it presents marked differences between contiguous states with and without 5g installation it is particularly significant that the countries bordering china have very low rates of infection one may also compare between mexico and the usa or between portugal and spain etcthe case of san marino is particularly significant it was the first state in the world to install 5g and therefore the state whose citizens have been exposed to 5g radiation the longest and suspiciously the first state in the world with infections the probability of this happening is 1 in 37636 in the cities studied madrid barcelona and new york this correlation is also observed in the study of the city of barcelona pp 78 it can be seen that the socio economic factor plays a significant roleit is very significant that on the african continent with scarce health resources but without 5g the rate of infection is very low except for some antennas in south africa which also presents the highest rates of infection in africathe rates of infection are diluted the rates of some regions are influenced by cities with 5g but the rates of infection of these cities are diluted in those of the region to which they belong so it is more significant as is the case of spain to compare uniprovincial autonomous regions than among those that are formed by 3 or more of the old provinces thus we see that some regions with 5g such as rioja madrid and navarra have rates between 4 and 8 times higher than others without 5g the same is true in other cities around the world where the 5g network does not cover the entire territory of the state or regionthese data and results have the value of being taken in vivo not based on prospective or laboratory studies never before have we had so much epidemiological information about a disease in humans to be able to produce scientific studies a means of answering the question of cause and effect would be to disconnect the 5g networks at least as a preventive measure and see the results of the evolution of cases of coronavirus so would studying the rate of infection in a state that declared a 5g moratorium after the pandemic started and studying if the statistics change given the evidence presented here the data and conclusions of this study urgently need to be given due consideration given the current gravity of the pandemic the media and political and health authorities have a responsibility to take urgent action a failure to act in the face of the findings of this study could be considered negligent at the very least and very possibly criminal", + "https://smombiegate.org/", + "FAKE", + 0.09198165206886136, + 1025 + ], + [ + null, + "coronavirus will become for nato and the eu what chernobyl became for the soviet union it will cause their dissolution\n\nthe chernobyl disaster is very similar to what is happening in the eu because of the coronavirus the eu institutions remind of the communist party of the soviet union they are now in the same situation", + "rubaltic.ru", + "FAKE", + 0, + 56 + ], + [ + "COVID-19 Is Used As A Tool Of Fear And Terror By The EU", + "fear is being spread around us by the establishment through the mass media msm common sense is gone and mass hysteria is the new normal a virus covid19 is used to control the lives of people and its also a tool of suppression against the populationi am not going to claim whether there is a virus or not whether its as dangerous as they say or where it originated be it in a laboratory or bioweapon or a real virus i only see that it has brought fear and already in some eu countries terror among the populationeaster 2020 where eu governments forbid us to see our beloved ones where eu governments forbid us to travel where most of us lose their income because they forbid us to work and take our bread without compensation where they tell us to wait until there is a vaccination from bill gates and his sponsors the criminal gang of the rockefellers sponsors of the john hopkins university they are controlling our lives our childrens lives if there is a virus we can protect the elderly and sick but not destroy whole nations and people i laughed about conspiracy thinkers in the past but a lot of it is now reality and new normal as they call it its 1984 and we didnt do a thing to stop it maybe it was too overwhelmingeu statementthe eu is mistreating according to the law the elderly and sick you cant forbid people from seeing their old mothers and fathers or even holding a funeral for them that is really criminal ursula von der leyen head of the eu also expects that elderly people in care homes cannot be visited as long as there is no vaccine i know thats difficult but its about human lives she said we have to be disciplined and be very patient we will have to live with the virus for months probably until next year so many elderly and sick will die without saying goodbye to their beloved ones for almost a year how cruel also she dictates that we are not allowed to book a trip or holiday meaning we have to wait for vaccinations and forcibly be vaccinated also a violation of human rights and freedom this is especially so when scientists say that younger people are not dying and werent we told ten or twenty years ago that the best way to catch a cold so that we get a better immune system all of that is thrown out and according to the eu german and frenchdominated our lives will never be the same after covid19 how frightening china is partly back to normal so why drive people to suicide or hunt them like criminals because its not about the virus anymore but about power\nthe new normalready for the one and a half meter society we will have to look for the new normal in the one and a half meter society prime minister mark rutte of the netherlands the head of the eu and bundespresident steinmeier of germany declared independent from each other but on the same time on their national tv stations we are still in the middle of the corona crisis although the number of new deaths and registered infections is leveling off we can get a normal summer out of our minds because measures will remain in force even after april 28 they declared as well meaning lockdown until at least september or if and when there is a vaccination is this democracy these are the signs of a totalitarian eu body which wants to control the lives of people from birth to death where they control even our deaths without proper funerals and loved ones these are statements not to be made by socalled democratic countries their rhetoric is an orwellian message to us the free citizens of europeeurobondsa solidarity fund to ensure that the poorest countries in the eu like italy spain and greece the countries who by the way have been hit the hardest by the covid19 crisis and have their countries full of migrants and migrant workers toiling for the rich german supermarkets pay low interest on their bonds has been taken off the table ironically the richest countries the netherlands and germany voted against it while france is silent on this matter how dare they speak about solidarity its people who are dying not the italian government the people in the streets of naples sicily and small towns in southern italy are not dying from covid19 but from hunger and suicide they ask us the citizens of the eu to show solidarity but we cant because the eu is not for us since it only show ssolidarity with money for themselves and not for us we are heading towards the suppression and loss of our freedom a virus was needed and we gave up all our human rights but this whole process started already in 2015 during the illegal wars in the middle east", + "http://oneworld.press/", + "FAKE", + 0.02030973721114566, + 836 + ], + [ + "OONER OR LATER, AMERICANS WILL HAVE TO CHOOSE BETWEEN FREEDOM OR A VACCINE WITH A MICROCHIP", + "in order to return to normality a possible requirement besides social distancing will be mandatory participation in a global vaccination programme underwritten by the bill and melinda gates foundation the big pharma and many other supposed philanthropists efforts to introduce a vaccine containing nanotechnology to mark and keep those injected under surveillance received a big boost with bill gates at its head", + "https://es.news-front.info/", + "FAKE", + 0.058333333333333334, + 62 + ], + [ + "Top 10 best coronavirus infection prevention treatments", + "the coronavirus is a very common kind of virus it is causing an infection in the sinuses nose or upper throat it has first identified in the 1960s but doctors do not know where they come from this virus gets the name from the crown like shape in some cases coronavirus can infect both animals and humans most types of coronaviruses spread the same way as other cold causing viruses through infected people sneezing and coughing by touching the face or hands of the infected person by touching things such as doorknobs that infected people have touchedit is noticed that almost everyone gets a coronavirus infection at least once in their life most likely as a child it is noticed that the coronavirus is most common in fall and winter but every single person can get it at any time the most common symptoms of coronavirus include sore throat coughing runny nose and sometimes a fever there are some cases when people do not know if they suffer from coronavirus because the symptoms of this condition are very similar to others your doctor will make lab tests including nose and throat cultures and blood work to find out if your cold was caused by a coronavirus if the coronavirus spreads to the lower respiratory tract it can cause pneumonia especially in older people people with weak immune system and people with heart disease you should know that there is no vaccine for coronavirus you need to ask your doctor for permission about the below mentioned home remedies for coronavirus so you will stay away from side effects and worsening of the symptomshome remedies for coronavirus infection prevention\nwash your hands it is very important to wash your hands regularly using soap and warm water also you can wash your hands with an alcohol based hand sanitizer in this way you will keep yourself clean and you will prevent any chance of getting the coronavirus from other people because when people are infected it they can cough or sneeze and transfer this virus to things that they touch you need to wash your hands at least twenty seconds with disinfectantvoid close contact with infected people you can easily get the coronavirus if you are in contact with people who are infected this is a reason why you should stay away from all infected people that you know this will decrease your chances of getting infected with coronavirus lemon tea the lemon tea is prepared using black tea or green tea and by adding the right amount of lemon juice to it there are some studies in which are shown that the lemon tea can help in the treatment of flu this home remedy can help to kill the infection from the passageway and it can remove the symptoms of the coronavirus infection like sore throatdo not smoke it is known that smoke can worsen the symptoms of coronavirus so you need to quit smoking and avoid going to smoking areas as much as possible basil when you suffer from coronavirus then it is very important to have a good detoxification the attack of this virus is contagious you need to dissolve one to two teaspoons of honey in one cup of basil tea you need to drink this type of tea because it can help you in the fight against coronavirus drink plenty of liquids they can help you to stay hydrated and also they can help to flush out toxins from your body you can add water and herbal teas in your dietstay home and rest it is recommended to people who suffer from coronavirus to stay at their homes and to take a good rest in this way then can prevent the virus from spreading to other people and you will give your body a full recovery that it needs a lot clean your home it is very important to clean and disinfect objects and surfaces at your home so in this way you will decrease your chances of getting the coronavirus if some family member has cinnamon there are some people who have reported improvements in their condition by using the cinnamon as their natural treatment for coronavirus but you can talk with your doctor if it will be suitable for your condition yoga you can do yoga when you are affected by the coronavirus it will give you a relaxing feeling to your body and mind so for some period you will not think about your infection steamy shower it has been noticed that the steamy shower can help to ease the sore and scratchy throat you can get the same effect if you use a humidifier it is your choice to decide which will work better for you the hot shower can help you to get a relief from the pain mint tea there are some studies in which are noticed that the mint tea can help to stop the runny nose and it can help in easy breathing it is a good home remedy for the fight against coronavirus you need to add the mint tea in your diet so you will see improvements in your conditiongargle with warm water this home remedy can give you a relief from the sore throat so you can try it as your home remedy for coronavirus garlic this natural cure has antibacterial and antiviral properties which can help in the fight against flu you need to take a couple of fresh garlic cloves early in the morning or you can take garlic supplements have your own towel it is very important to have your own towel because the person infected with coronavirus can spread it with the touch and you can easily get it when you have a clean towel that is used just by you then you will be sure that you are healthy use a tissue when you are coughing and sneezing you need to use a tissue so in care you are infected with the coronavirus you will not transmit it to other people menthol this is component in many different formulations for relieving the cough and cold you can add menthol in hot water and perform steam inhalation it will give you a relief from the coughing and nasal congestionoregano oil you can use oregano oil as your home remedy for the coronavirus because it can help with the symptoms it is important to remember not ingesting oregano oil and just to inhale it thoroughly cook you need to thoroughly cook the meat and eggs because the coronavirus can be spread through them so in this way you will minimize your chances of getting it avoid unprotected contact with animals it is known fact that coronavirus can affect animals too this is a reason why you need to avoid having unprotected contact with farm animals or wild animals wear a mask when someone suffers from respiratory infection then he or she needs to wear a mask because it can help to protect people around him or her from illnesses when you wear a surgical mask then it can somewhat protect you from an infection in a crowd if there is an outbreak but in general surgical masks are not closefitting enough to filter all the air you are breathing in throw used tissues if you have used a tissue then you need to throw it in the garbage so you will reduce the risk of transferring the coronavirus to other peoplekeep your hands away it is very important not to touch your mouth nose and eyes with your hands and fingers especially if you have been in some area that you suspect there are infected people with coronavirus you need to wash your hands with soap and warm water and then you can touch your face ginger tea there are some studies in which are shown that the ginger tea can help to ease your headaches that are caused by the respiratory infections you can use the ginger tea as your home remedy to relieve throats and loosen up congestion salad you need to detoxify your body so you will not allow the coronavirus to cause pneumonia in your body you can remove the toxins from your body with the help of mixed vegetable salad you need to use detoxifying foods such as broccoli cabbage radishes and beetroot you need to boil the mentioned ingredients and mix them gently this is tasty and healthy home remedy which can help you in the fight against this virus lemon honey tea this natural cure can help to soothe your airway passages and it can soften the rough coughs this is a reason why you can use it as your home remedy for coronavirus do not doubt to add this tea in your diet as home remedy for this contagious virus", + "https://www.homenaturalcures.com/", + "FAKE", + 0.18447023809523808, + 1474 + ], + [ + "CORONAVIRUS: An Once of Prevention Is Worth a Pound of Cure", + "time for an ounce of preventionwe all look forward to the breathbodymind workshops hosted by serving those who serve however this year we are cancelling the march workshop to prevent exposing anyone to the coronavirus covid19 in japan the healthcare researchers discovered that being in a room with a group of people dramatically increased the risk of transmission based on previous viral epidemics we anticipate the next three months may be the period of the highest health risk if we are unable to reschedule then we will see you at the september workshop we are looking into the possibility of providing breathbodymind workshops by webinarhere are our recommendations for reducing the risk of covid19advice for better immune defense and preventionthe coronavirus covid19 continues to spread and is likely to become a health concern everywhere within the coming months there is no specific treatment in sight other than general recommendations for rest fluids nutrition and symptomatic treatment of fever however there are measures that we can take to strengthen our immune defenses this approach may reduce the likelihood of getting sick or even if you acquire the virus immune boosters can help to reduce the severity and shorten the length of illnessbecause this is becoming a health crisis we want to share with you a list of immune boosters that we rely on and that may be of help to you and your families we only recommend the brands listed below because they have been studied and shown to be effective and of good quality if you have any serious health conditions or allergies please consult your personal physician and read the contents of each supplement before taking also follow recommendations for when to take these supplements we do not receive any financial remuneration from supplement companiessupplements to boost immune defense koldcare immune kare from karenherbs at karenherbscom for prevention take 1 tab twice daily for prevention if symptoms or exposure occur take 1 tab 4 times daily respigard by natures nurse amazonif symptoms or exposure occur follow directions on the bottle for dosing immune senescence protection from life extension foundationprevention take 2 daily right after eating breakfast food prevents stomach upset biostrath available online from multiple companies follow directions on bottlesambucus by natures wayprevention and if symptoms occur follow directions on bottleif symptoms or exposure occur follow directions on the bottle for dosing mushroom extracts maitaked and shiitake from the following companies mushroom science mushroom wisdom or natures way follow directions on bottleadditional advice to optimize your bodys natural defense capacitiesget lots of rest go to bed earlier and readjust your activities as neededhealthy diet is important with fresh fruits and vegetables every daydrink lots of fluids to stay hydratedfor prevention do coherent breathing 20 min a day to improve lung and immune function if you become ill and you are coughing you will not be able to do this resume coherent breathing when you are able to do so without irritating your cough at first you may need to start at 6 breaths per minute and work down to breaths per minute wash hands frequently use disinfectants to clean surfaces avoid touching your face because that is a common way the viruses are transferred from your fingers keep a small bottle of disinfectant with you to use after you have touched surfaces in public places that may have been contaminated\nif you choose to wear a mask be sure it is rated as n95 antiviralavoid unnecessary social gatherings especially in closed spaces do not share foods or platters minimize travelwe cannot predict the course of coronaviruses but we can take common sense precautions contact your doctor if you have any symptoms such as fever or coughing or if you think you have been exposedwe hope that you and your families stay healthy through this difficult time", + "https://web.archive.org/", + "FAKE", + 0.06511985746679624, + 637 + ], + [ + null, + "the european union is actually dead in this critical moment it was not able to offer people anything all countries closed their borders and reestablished border control the eu ceased to exist for a while", + "Youtube", + "FAKE", + -0.11000000000000001, + 35 + ], + [ + null, + "idea of a united europe has crashed the idea of fraternal nations of europe turned into the idea of each for its own\n\nnato exercises to defend europe have been cancelled sweden tries to remind that russian threat is in its backyard no one cares about it slovakia tried to buy masks from ukraine germany bought them instead uk asked its citizens abroad to stay there as there is no one to bring them back", + "NTV", + "FAKE", + 0.125, + 75 + ], + [ + "New evidence emerges: Coronavirus “bioweapon” might have been a Chinese vaccine experiment gone wrong… genes contain “pShuttle-SN” sequences, proving laboratory origin", + "two days ago a paper published in the biorxivorg journal presented findings that indicated the coronavirus appeared to be engineered with key structural proteins of hiv the paper entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120 and gag concluded that the engineering of coronavirus with such gene sequences was unlikely to be fortuitous in nature providing strong scientific support for the theory that the coronavirus is an engineered bioweapon that escaped laboratory containment in chinathe coverage of this paper by zero hedge led to a firestorm of denials by governments health authorities and the ciacontrolled media not surprisingly any suggestion that the coronavirus was engineered as a bioweapon had to be immediately eliminated the prevailing panic by the establishment sought to blame this outbreak on mother nature ie bats snakes seafood etc rather than the human beings who are playing around with deadly biological weapons that are designed to extinguish human lifewithin hours twitter slapped down a permanent ban on zero hedge making sure the independent publisher could no longer reach its twitter audience after all the first casualty in any pandemic is the truth and jack dorsey is not only an enabler of pedophiles and child rapists hes also an authoritarian tyrant who wants to make sure the public is completely isolated from any non official reports about this pandemic jack dorsey has sided with communist china in other words is anyone surprised under the intense pressure the authors of the original paper have now withdrawn the paper and intend to revise it the publication that originally carried the paper now has a warning message stating this article has been withdrawn click here for details see original source link here\nin addition the publisher has posted a message warning that all the science papers it posts as preliminary reports that should not be regarded as conclusive especially when the science establishment is panicked that its official narratives might be crumbling by the hourno doubt the authors of this particular paper have been sufficiently threatened to revise their conclusions and an update of their original paper will soon be posted that effectively denounces everything they stated in the original paper the criminal wing of the science establishment strikes again of course and this tactic of threatening scientists with loss of funding being blacklisted or even physically threatened and killed is not unusual at all the cdc nih and even the epa have long histories of threatening scientists with being harmed or killed if they dont fall in line with the prevailing lies of the establishment in some cases theyve even imprisoned scientists for fraud after those individuals refused to retract their papers this has been especially common in research areas such as hiv aids pandemics and vaccines any scientist who finds fault with the establishment is destroyed imprisoned or murderedin fact ive interviewed one of the science victims of this named judy mikovits phd watch my full interview here but keep reading below first because theres a lot more to this story that will shock youpshuttlesn sequence proves the coronavirus pandemic was definitely engineered in a lab now stunning new evidence has emerged that proves the coronavirus was definitely engineered in a laboratory and may have been deliberately injected into patients as part of a chinese vaccine experiment gone wrongas detailed by james lyonsweiler phd founder of the institute for pure and applied knowledge and author of 57 peerreviewed publications an analysis of the gene sequence for the coronavirus finds a peculiar sequence called pshuttlesn this sequence is is the remnant of a genetic engineering sequence thats used to insert genes into viruses and bacteria it provides irrefutable open source proof that the coronavirus now circulating in the wild was engineered in a laboratory every lab that has the gene sequence can see this for themselves its right out in the open which is why we describe this revelation as open source\none thing we can say for certain is that this particular virus has a laboratory origin states lyonsweiler in a bombshell interview with del bigtree of the highwire see video below via brighteoncom since the video would be banned everywhere elsethis genomic evidence does not however prove whether it was produced as a bioweapon or as a vaccine experiment it could be either one according to lyonsweilerin fact if you then take that sequence and compare it to other proteins we find that its actually a sars protein that was put into a coronavirus for the purpose of making the vaccine work better thats why this element is in there to create a more reactogenic vaccinetheres bombshell after bombshell in this interview especially at the 2759 and 3357 marks watch it exclusively at brighteoncom given that this information is of course being banned everywhere else by the antihuman tech giants all of which are now siding with communist china to cover up the truthif it was a vaccine experiment gone wrong then the world is in real trouble warns analystwhy does it matter whether the origin was a chinese vaccine experiment vs a bioweapon as previous research has revealed when these sars insertions into the coronavirus are introduced into animal as part of a vaccine they create heightened fatalities when patients are exposed to other coronavirus strains\nin effect being vaccinated with this particular strain of coronavirus causes individuals to be more easily killed by the common cold and other nonpandemic coronavirus strains that are circulating in the wildthis is confirmed in the following science paper published in the plos one science journal immunization with sars coronavirus vaccines leads to pulmonary immunopathology on challenge with the sars virusthis horrifying realization emerged when chinese researchers were trying to make a sars vaccine following the sars outbreak from several years ago they discovered that the sars vaccine increased fatalities instead of saving people further study revealed that the sars sequence being inserted into the coronavirus made the virus far more deadly effectively transforming it into a bioweapon whether intended or not\nnow james lyonsweiler phd has published a detailed article explaining the sars insertion into the coronavirus and why this is proof that the coronavirus now circulating in the wild is of laboratory origin not coming from bats and snakes from his interview abovewas it a vaccine that the chinese government was experimenting with if you use a sars vaccine in ferrets rats or monkeys and then they get a secondary infection of a sars virus the elderly and immunocompromised end up dyingso what we may in fact be looking at is a hidden attempt by the chinese to get a jump on this the economics of vaccines its not working no matter who develops the vaccine and thats why the last time there was a sars vaccine the vaccine developers could not get funding because the mice the rats were dying\ni can say with certainty its not just a wild type coronavirus that just happened to acquire this sars element its laboratory acquired somehow it has escaped from the laboratory or people have been vaccinated with it and thats why its in their bodiestheres a huge difference in the predicted health outcome for the world if this is a vaccination experiment in china versus just a laboratory escaped vaccine in the vaccination experiment youre not vaccinated against coronavirus with that vaccine so if the chinese tried to get a jump on the vaccine market by surreptitiously running clinical trials against the coronavirus and made their elderly and immunocompromised more susceptible to death due to subsequent infection by any coronavirus with this protein thats in the vaccine then the rest of the world has a serious humanitarian issue if it is a biological laboratory weapons escape its going to be a nightmare but if its a vaccine type that escaped because of an accidental injection into someone its going to be worse than if they made their entire population susceptible to sars with a vaccine programin other words if its an escaped vaccine strain that has now gone wild the entire world is now vulnerable to the sarscoronavirus gene insertion which was previously found to be killing lab animals which is why the sars vaccine program was halted because it was too dangerous to test on humansas lyonsweiler writes ipak researchers found a sequence similarity between a pshuttlesn recombination vector sequence and ins1378 heres a shot of the alignment and the dot plotthe process for achieving this was patented by chinese researchers as shown in this patent linklyonsweiler warnsthe disease progression in of 2019ncov is consistent with those seen in animals and humans vaccinated against sars and then challenged with reinfection thus the hypothesis that 2019ncov is an experimental vaccine type must be seriously consideredhe further concludes that this appears almost certain to be a vaccine experiment gone wrongthe available evidence most strongly supports that the 2019ncov virus is a vaccine strain of coronavirus either accidentally released from a laboratory accident perhaps a laboratory researcher becoming infected with the virus while conducting animal experiments or the chinese were performing clinical studies of a coronavirus vaccine in humansif this is further confirmed we may in fact be looking at a true vaccine holocaust where vaccine researchers are now subjecting the entire world to a deadly mistake that could theoretically cause a very large number of fatalities all in the quest for vaccine profits of courseas lyonsweiler further warnsif the chinese government has been conducting human trials against sars mers or other coronviruses using recombined viruses they may have made their citizens far more susceptible to acute respiratory distress syndrome upon infection with 2019ncov coronavirusthe implications are clear if china sensitized their population via a sars vaccine and this escaped from a lab the rest of world has a serious humanitarian urgency to help china but may not expect as serious an epidemic as might otherwise be expectedin the worstcase scenario if the vaccination strain is more highly contagious and lethal 2019ncov could become the worst example of vaccinederived contagious disease in human historytech giants now working over time to cover it all up censor all dissenting views and reinforce communist chinas official lies as expected the evil tech giants are working overtime to squelch any dissenting views and protect the vaccine industry as well as the bioweapons industry no blame can be allowed to fall on either one instead mother nature must be blamed for all this and that means the truth must be silenced a strategy that is of course routine for the vaccine industryevery channel voice or website now exploring any human origins of this coronavirus strain whether related to vaccines or bioweapons is being rapidly deplatformed and attacked in some cases websites are being sabotaged and taken offline as happened with natural news last week we have since recovered which is why you are able to read thisyet the antihuman tech giants are unified in their efforts to silence all information that contradicts official lies no matter how scientifically accurate that information may bewatch this important video to learn more about big tech and how it ran a simulation complete with fake news censorship highlights to play out the exact scenario were all witnessing now a global pandemic of human origin infecting tens of thousands of people accompanied by a government coverup", + "https://www.newstarget.com", + "FAKE", + 0.05662029125844915, + 1891 + ], + [ + "The Brave New World of Bill Gates and Big Telecom", + "robert f kennedy jr wrote last week about malibu polices ticketing point dume surfers 1000 apiece for using the ocean during the quarantine was this merely an appalling police judgment at which we will laugh postquarantine or does anyone else feel that this is the first wave of compliance and obedience training for something more permanent are powerful state and corporate entities using the current crisis to remove basic rights and intensify pressures to promote vaccines and surveillance does anyone else feel the suffocating darkness of tyranny descending on our nation and finally does anyone share my dread that bill gatesand his longtime associate tony fauciwill somehow be running our brave new worldimagine a world where the government doesnt need police officers to apprehend those surfers or ticket you when you violate social distancing with your girlfriend suppose that computers discover your beach trip by tracking your movements using a stream of information from your cell phone your car your gps facial recognition technology integrated with realtime surveillance from satellites mounted cameras and implanted chips deskbound prosecutors or robots will notify you of your violation by text while simultaneously withdrawing your 1000 penalty in cryptocurrency from your payroll account welcome to bill gates america its right around the corner5g strategies recently bill gates announced his financial support for a 1 billion plan to blanket earth in video surveillance satellites the company earthnow will launch 500 satellites to livestream monitor almost every corner of the earth providing instantaneous video feedback with only a onesecond delay according to wikipedia the company expects its customers to include governments and large enterprises 5g antennas deploying a vast array of groundbased 5g spy antennas through his bill melinda gates foundation gates purchased 53 million crown castle shares currently worth a billion dollars the foundations secondlargest tech holding after microsoft crown castle owns 5g infrastructure in every major us market it operates and leases more than 40000 cell towers 65000 small cell nodes which are the central infrastructure for 5g and 75000 route miles of fiber to every major us market that instead of going to your home providing you safe fast wired internet has been confiscated to connect 5g cell towers5g has almost nothing to do with improving your lives its all about controlling your life marketing products and harvesting your data for artificial intelligence purposes data mining\nbig telecom big data and bill gates are baiting americans into a digital tyrannytrap with milliondollar tv ads that pretend that their multi trilliondollar 5g investment is about faster download speeds for video games and movies but 5g has almost nothing to do with improving your lives its all about controlling your life marketing products and harvesting your data for artificial intelligence purposes the 21st centurys black gold is data 5g is the infrastructure for gates internet of thingsa world where tens of billions of smart devices cell phones computers automobiles garage door openers apple watches baby diapers and even our living bodiesare wirelessly interconnected to enable big data to gather and sell our personal informationgates elon musk amazon facebook and telecom are launching the flagships for the new gold rush a teeming fleet of 50000 satellites and a network of 2000000 ground antennas and cell towers to strip mine data from our smart devices this microwave radiationemitting spider web will allow big databig telecom and big brother to capture what happens inside and outside every person at every moment of life gates will harvest control sort characterize analyze and sell millions of terabytes of personal information from smart devicesprivate health data medical records our shopping habits our biometric and behavioral responses to advertising our childrens ability to learn our facial expressions and conversations overheard by siri alexa and your open cell phones microphones his and other corporations will use these analytics to develop artificial intelligence ai and turn you into a predictable easilymanipulated consuming machine\nnext time you buy a smart device remember the device is not the productyou aresurveillance state transhumanism\ncorporations will use gates 5g surveillance system to sell products and escalate ai capacity governments will use it to transition the globe to a totalitarian singularity more despotic than orwell ever imagined silicon valley titans like elon musk peter thiel and googles chief engineer ray kurzweil talk longingly of transhumanism the process by which humanity will transition to become parthuman partmachine via genetic engineering and surgical implants\nbill gates is investing heavily to accelerate this altered reality his ambition to tag us all with injected subdermal vaccine data chips seems to be merely a steppingstone toward an allencompassing surveillance staterewarding compliance microsoft has patented a sinister technology that utilizes implanted sensors to monitor body and brain activity it will reward compliant humans with crypto currency payments when they perform assigned activitiesthe patent wo 2020 060606 has gained notoriety and the nickname world order 2020 666 microsoft describes this device as a crypto currency system and explains that it is capable of using body activity data to mine bitcoin in response to compliance with assigned taskspeople who agree to install the microsoft harmful wireless sensors will receive periodic duty smart phone instructions to watch a certain advertisement listen to a specific song walk down a specific grocery store aisle or to take a certain vaccine this chip will collect data from embedded sensors that monitor brain waves blood flow and other body reactions the system will transfer cryptocurrency into the subjects account after completion of the assigned task on the bright side microsofts dystopian invention should be a welcome source of income for the 40 of americans put out of work by periodic covid quarantines by musks selfdriving electronic cars which also rely on the 5g rollout and by artificial intelligence including robots will gates sell the data we freely give him to companies that will take away our jobsowning smart cities maintaining and analyzing the data collected by a 5g infrastructure require massive computers housed in major data storage complexes to keep control of this infrastructure bill gates is building his own smart city in arizona according to kpnxtv he spent 80 million on a 24800acre plot near phoenix with the goal of turning it into a smart city where everything is interconnected via a wireless grid including fleets of autonomous vehicles the 80000 residents of gates company town will mainly work in data centersto consolidate his control over what people hear learn and think gates bought shares in liberty global one of the largest international television and internet companies operating in 30 countries and growingcontrolling reproductiongates will even control your body your bedroom your medicine cabinet and even womens menstrual and ovulation cycles he invested approximately 18 million in microchips a company that among other chipbased devices develops birthcontrol implant chips with wireless onoff switches and chips for drugdelivery that allow a single implant to store and precisely deliver hundreds of therapeutic doses over months or years the implants will be operated wirelessly by the patient to deliver medication knowing of gates missionary zeal for population control however some customers might worry that the system could be remotely activated as wellthe expansion of the wireless cloud between 20122015 was equivalent to adding 49 million cars to the roadscontrolling climate geoengineering\ngates apparent conviction that god has ordained him to use technology for humanitys salvation is exemplified in one of his most ambitious projects gates is funding harvard scientists to use geoengineering to block the sun to reverse global warming and climate changethat project is a template for both hubris hypocrisy and risk the massive expansion of wireless use and the 5g wireless gridfor which gates is a major playeris the most significant contributor to increased energy consumption the expansion of the wireless cloud between 20122015 was equivalent to adding 49 million cars to the roads 5g is expected to exponentially increase energy use by upwards of 170 by 2026 proposing to use the wireless smart grid to combat the carbon footprint with geotechnology is a harebrained schemenot a solution for climate changecashless societyto consolidate global control gates has declared war on cash and the covid19 lockdowns have provided governments a convenient pretext for scuttling cash as a health hazard gates and his foundation are spearheading the global shift from a cash economy towards digital transactions gates and microsoft are perfectly positioned to profit from a digital payments system by controlling digital transactions and removing cash gates can control and monitor everything commercial that a country and its citizens dowestern financial institutionsmastercard paypal visa ebay and citihave long pushed for a cashless world electronic banking allows banks and financial consortiums to levy fees on every transactionthe digital economy will allow the government to monitor and scrutinize every transaction to freeze digital accounts and to block financial flows to punish disobedience operating in a publicprivate partnership with government tech billionaires will not only control the nation but will be able to micromanage the worldwide population digitized currency is the ultimate instrument of social control after all in a cashless society survival is impossible without access to the digitized economic system the poorlacking bank accountswill suffer disproportionatelytrillionaire borgwhile the lockdown is a cataclysm for the world economy it is an opportunity for gates by purchasing our devalued assets at a penny on the dollar gates 100 billion might make him the worlds first trillionaire but the quarantine is also an opportunity to enlarge his power and dominion under gates leadership microsoft became known as the borg because of his appetite for total market control now gates seeks to bring all humanity under his boot his worship of technology and his megalomania threaten our freedoms our democracy our biology our planet our humanity and our soulsthe microwave radiation used for wireless surveillance of the world is not biologically tolerable especially for developing children thousands of peerreviewed published studies abundantly document wireless technologys profound adverse physical effects on humans animals and plants sickness and environmental degradation from wireless technology is already widespread big telecom control of us and global regulatory agencies and media and gates financial control of the world health organization have allowed a few billionaires to propagate the patent lie that wireless is safegates technological dreams are not biologically sustainable his tower of babel is bound to collapse with catastrophic impact for lesser humans its time to dismantle the tower before its too late", + "https://childrenshealthdefense.org/", + "FAKE", + 0.06888542121100262, + 1728 + ], + [ + "What will 6 months of Covid-19 do to our society? Only certain thing is we'll be in a state... and the STATE will be IN CONTROL", + "predicting the future is always notoriously difficult the unprecedented response to the covid19 crisis means most bets are off on what may happen apart from reinforcing the idea there is no alternative to state intervention albert einstein famously quipped that he never thought about the future because it came soon enough he might have been a genius but he didnt experience the coronavirus crisis and thus could not imagine a time when society would be so obsessed with thinking about the future there are a number of difficulties with trying to anticipate what society might be like after this crisis in the first instance we have no idea how long this will go on experts disagree some suggest lockdowns could be relaxed in three months the uk government is now planning on at least six months in each case the outcomes could be significantly different second whatever happens in the future we can be sure there will be continuities and disruptions and destructive and constructive dynamics at play crises are never oneway streets but and this is critical the coronavirus crisis will not bring year zero a new era or clean slate in which what happened in the past will disappear or can be ignored nor will pandemics be the new normal the exceptional peacetime actions taken by governments and central banks and the reorganisation of society and the economy around lockdowns which is inducing some behavioural changes are temporary not permanent but the consequences particularly of the unprecedented global state bailout which the financial times estimates to be around 45tn will have a direct bearing on the future and in different ways the increased role of the state in the economy and society is the one definite in a sea of uncertainty in the uk the government has promised loans and grants to businesses worth 330bn and basic pay for company employees who are left workless the treasury is propping up wage support grants tax holidays and loan guarantees it has relaxed banking regulations to ensure lenders can provide 190 billion of extra credit and the authorities are using moral suasion to conscript them into the covid war effort and back small businesses even despite this it is estimated that at least a fifth of small businesses will collapse with echoes of a wartime command economy ministers are coordinating supermarkets to distribute food and manufacturers to make ventilators this might evoke wartime parallels but the analogy is inapt why because in real global wars capital is destroyed and forced to restructure which creates the conditions for renewed growth the postwar boom demonstrated this all too clearly in the 20th century in the coronavirus war however state spending and mobilisation are geared towards propping up preexisting stagnation and this is what is being studiously ignored in the many fantasies being suggested as heralding the future claims that this crisis is forcing traditional business to embrace the digital age for example are merely highlighting how vacuous the claims made by many are that we have been in a new fastmoving age of disruption and innovation the fact that some oldline industries from media and entertainment through retail to food and beverages are having to go online to survive the lockdown highlights how stagnant not innovative so much of our economy has been and remains the idea too that people working from home represents the future world of work is another makebelieve forecast while this may appeal to doomsday environmentalists less commuting means less congestion less pollution and lower co2 the real issue is what work they might be doing rather than the fact that it is at home is it productive or decorative the socalled coronavirus war has revealed another lessacknowledged reality of the stagnant economy namely that many essential jobs in our society are unskilled or semiskilled and that we depend more on these than the muchhyped white collar information or service workers how much difference would it make if many of the latter jobs simply disappeared but the absence of construction agricultural transport delivery and indeed health workers to name a few brings home the fact that even in the digital age we depend upon material production in sectors that have suffered decades of stagnation noninvestment and noninnovation even some highlights of the current crisis like project pitlane the collaboration of seven f1 engineering teams based in england to rapidly develop a continuous positive airway pressure breathing device should not be overhyped without diminishing the accomplishment we should soberly reflect on the fact that the best of british engineering has reengineered an existing offpatent device not created a breakthrough in health care project pitlane speaks to something quite critical about the future the immediate crisis has made the world unfamiliar but yesterdays ideas have not disappeared wokeness identity politics intergenerational conflicts and the culture of low expectations will be back with a vengeance more importantly the riskaverse culture of precaution around climate change in particular will be larger than life why because what people have seen in the behaviour of the state particularly the disbanding of the rule book of fiscal responsibility will raise the obvious question if all this is what was necessary to deal with covid19 what about the climate emergency after all covid19 accomplished what greta and extinction rebellion were advocating shut down schools stop flights stop people driving cars reduce our carbon footprints stop fossil fuel exploitation etc and this is surely the point about the future while the economic consequences are going to be felt for generations to come the more immediate effect will be its political impact what covid19 has already accomplished is the final nail in the coffin of the phoney postwar ideological battle between freemarketeers and state socialists already the banners flying in society have inscribed there is no alternative to the state following margaret thatchers famous dictum there is no alternative to the market after the collapse of the soviet union in 1989 when howard davies the chairman of royal bank of scotland jokingly quipped in the financial times that if the government said it was nationalising all the uks shoe shops people would regard it as entirely plausible he was not exaggerating there has been no argument there has been no political debate but the state has won and everything else will follow if we thought yesterdays tendency towards technocracy was strong we havent seen anything yet the authoritarian trends already on display in the current lockdown are perhaps a harbinger of a future society run along managerial principles but crises are never oneway streets the examples of social solidarity we have seen suggest there are other forces at play that may positively influence the future this remains an unknown but the renewal of the role of the state is not we do not need to speculate about its future it has already arrived", + "www.rt.com", + "FAKE", + 0.08200528007346189, + 1145 + ], + [ + "Great prevention advice , please share with all your loved ones.", + "be understing a japanese doctor offers excellent advice on preventing covid19 new coronavirus may not show symptoms for several days 1427 days how can one know if a person is infected by the time he has a fever and or a cough and goes to the lung hospital the patient may have 50 fibrosisand then its too late taiwanese experts provide simple selfmonitoring that we can do every morning take a deep breath and hold your breath for more than 10 seconds if you can do this successfully without coughing and without difficulty without anxiety and chest tightnessit shows that you do not have fibrosis and generally indicate no infection check yourself every morning in a fresh air environment the japanese physician treating covid19 provides the best advice on preventing this everyone should make sure the mouth and throat are always moistdrink some water every 15 minutes why not even if the virus gets into your mouth drinking water or other fluids will help wash it down the esophagus into the stomach when the virus is in the stomach the hydrochloric acid in your stomach will kill the germs if you do not drink enough water regularly the virus can enter the airways and into your lungs which is very dangerous to get", + "Facebook", + "FAKE", + 0.14879040404040406, + 213 + ], + [ + "Objective:Health - High Dose Vitamin C: Good for People, Bad for Coronavirus", + "as the world continues to freak out about covid19 the advice from the authorities about what to do seems disproportionate to the the panic theyre stoking wash your hands dont go out unless you have to avoid crowds it seems like a recipe for making people panicwhile the msm have continually poopooed any and all alternative therapies in protecting or treating coronavirus infections theyve ignored actual evidence from the very people who have experience with what the rest of the world is currently experiencing namely wuhan china specifically doctors who were on the front lines in china during the worst of the epidemic are singing the praises of vitamin c infusionstoday on objectivehealth we take a look at one of our old favorites for multiple conditions including coronavirus infections the mighty vitamin c taking vitamin c is actually something everyone could be doing to make a difference in the state of their immune system well beyond wash your handselliot hello everyone welcome to this weeks edition of objective health i am your host elliot and joining me in our studio are doug and erica we also have damian on the ones and twos todayelliot today we are going to be talking about a very hot topic we are going to be talking about the coronavirus a couple of weeks ago maybe a couple of months ago now we did another show on the coronavirus where we were assessing whether we thought that it was really all that dangerous whetherthere was a little bit of a kicking up of frenzy going on in the media and being a little bit overblown in todays show we are going to be looking at a potential solution that people can think about and hopefully make use of we will talk about the clinical utility of using highdose vitamin c for the coronavirus this is because there has been quite a lot of interesting information come out recentlyon top of all of the wellestablished information that we know about vitamin cs potential uses against viruses and the coronavirus is a virus there is good reason to think that if you are to come down with this virus and if you are immunocompromised or if you are a little bit more susceptible to succumbing to any kind of viral infection then using vitamin c in high doses in various different methods of consumption is likely going to be helpfulfirst of all i want to talk about one of the recent progressions that has come out of china not long ago china announced that they would be thinking about using intravenous vitamin c for their coronavirus patients there were three studies done in china i believe which were looking at the effect of vitamin c on coronavirus and they have come out with pretty good results in one of the chinese medical establishments some of the scientists were advocating for the use of anywhere between 6000mg and 24000mg of vitamin c to be used intravenously i think this is for the most severe patients who have this viral infectiondoug the interesting thing about it is the doses they were talking about 600012000mg of vitamin c for iv thats not even really that high i know in things like cancer protocols it will get as high as 100g and even higher sometimes its not a low dose by any means but you could take 6000mg orally but the fact that they were getting such good results from those doses says a lot about the power of vitamin c i thinkerica most definitely the mainstream news at least here in the us are poohpoohing these alternative things dont think that vitamin c is going to cure you its really concerning because why not take something that is going to keep your immune system strong instead of essentially dumping the baby out with the bathwater and saying nothing is going to work most people have some sort of vitamin c in their medicine cabinet for these types of things its good to have just to keep your immune system strongdoug its not really surprising but nonetheless shocking the way the media has been downplaying from what i have seen and what other people have been reporting they havent even mentioned that china was actually using vitamin c as a strategy against the coronavirus they basically blanked it like tulsi gabbard they dont even mention the fact despite the fact that many doctors in china have actually been reporting it and talking about it and explicitly saying that it helps\nfor the news media here to just turn around and ignore that fact and even go so far as to not condemn it thats not the right word like you said erica to poohpooh it essentially oh no we have to wait for a vaccine dont bother with any of that woo woo hippy crapmeanwhile even if people were taking 1000mg of vitamin c 3 or 4 times a day that would at least be helpful it doesnt necessarily mean that you dont get it or that its going to cure it instantly but anything that you can do to help mitigate the effects or prevent it then do it its just so stupid for the media to be taking that kind of stanceelliot i saw an article earlier today from abc news i think one of the alphabet news agencies the article was titled coronavirus cures debunked they were talking about vitamin c and they were completely poohpoohing the idea its not even like they are ignoring it they are actively telling people not to take it how spineless these things are well establishedone of the top alternative integrated doctors is quoted as saying early in sufficiently large doses of intravenous vitamin c are critical vitamin c is not only a prototypical antioxidant but also involved in viruskilling and prevention of viral replication the significance of large dose intravenous vitamin c is not just at an antiviral level it is acute respiratory distress syndrome that kills most people from the coronavirus ards acute respiratory distress syndrome is a common final pathway leading to death he is talking about how vitamin c is one of the best ways to protect against that this is especially going to apply to people who are more susceptible to these kinds of infections so i think its fair to say that 98 of people who get it are probably not going to have any major issues the mortality rate is 12 and its people with preexisting severe health conditions immunocompromisation etc so for these kinds of people its wise to take the right precautions again when you are listening to the media they are quick to whip up the hysteria but then they dont provide any solutionsdoug it seems like it is almost the point where there is literally nothing you can do except wash your hands laugher thats the thing that they keep on saying wash your hands wash your hands i was reading somewhere that someone was talking about how disproportionate that is there is this crazy hysteria that they are pumping out and then the only thing that they are actually offering as something that you can do is wash your handsits so disproportionate to the level of threat its like the threat is up here and the solution is just wash your hands to anything that people actually could do like take vitamin c they are saying no no no thats not going to work just wash your hands there was actually an article up on green med info called tons of vitamin c to wuhan maybe you can pull that one up damian if you scroll down a bit there is a tweet there from dsm and i just wanted to show that because they just show a truck delivering 50 tons of vitamin c to wuhan what was the date on that one i guess theyve cut off the date so i cant see it the article was on march 3rd clearly if they are delivering 50 tons that is a hell of a lot of vitamin c so they were using it its pretty disingenuous for the western media to completely ignore that factif outbreaks in italy or if anywhere else start to get really bad then they could benefit from this information the doctors could benefit because they could actually be helping people who arent at the hospital and who are fighting it at home could benefit from this information so it makes the blood boil that they would pull this kind of shit its terribleerica we had a good article called from vaccination to viruses vitamin c is a potent antidote from orthomolecular medicine news service in january and they talk about china they have a list of addendums regarding practical treatment for the approach to coronavirus in china and there were some things that really stick out was a strong immune system is really the only significant protection an individual has again keeping that vitamin c going and also they said that a great deal of the immune systems strength possibly most of it comes from vitamin c content in the immune cells when the levels of vitamin c in the body are low the immune system can never function at full capacity there are many measures that can strengthen and support the immune system but regular supplementation of vitamin c with multigram doses 2000mg daily or more is probably the single most important preventative measure much larger doses can be given if it is determined the virus has already been contractedthey are also talking about nebulising hydrogen peroxide it destroys all or most of the sorts of viruses in the body with the help of vitamin c and magnesium can then mop up the rest of the virus thats pretty helpful if people are freaking out and they dont think that there is anything that they can do that is something that you can do keep taking it as a preventative measure more than anythingdoug the professional doctors are doing the intravenous vitamin c it should probably be stated that even if you dont have access to intravenous vitamin c which few people actually do its still worthwhile to be taking it orally as well take as much as you can until you start to feel digestive symptoms there are no real side effects from it except some diarrhoea if you take too much of it which would you rather deal with the coronavirus or a little bit of an upset tummyi should mention that the website httporthomolecularorg where the article you were talking about came from is actually a really good site if you go to orthomolecularorg and scroll down to where it says news releases they have a number of things specifically about the use of vitamin c for coronavirus and they talk about how it has been used in wuhan and about the different chinese doctors who have been reporting on that anybody who is interested in more information on this that is a very good resourceerica what about something like liposomal i know that we have talked on the show before about making your own liposomal vitamin c so that it survives the digestive tract a little bit better obviously with intravenous you can get so much more but with the liposomal it is encapsulated in spheres so that it can survive the digestive tract and get into your body more effectivelydoug it is just basically increasing the absorption with any nutrient you take there is a certain percentage that will get absorbed and the rest wont taking the liposomal or liposheric as it is sometimes called increases that amount that is getting across the digestive tract and into the bloodstream yeah its effective\nelliot with making it you cant really make it very effectively there are people who claim that you can make it but it doesnt hold up to testing to make proper liposomal you need proper liposomal technology so if you really want liposomal vitamin c then you are better off just getting a really high quality one and paying the money for high quality vitamin cyou could probably get similar benefits just by taking a small amount multiple times throughout the day you wouldnt take a high dose at any one given time because you can only absorb so much at any one given time if you are taking 1g every hour then you are going to have this continual absorption and you are going to be opening up the transporters to absorb more if that makes sensethere are lots of options that you can do if you cant get intravenous liposomal or oral is going to be the route you have to take in terms of what vitamin c actually does there are so many ways to look at this vitamin c is well known as an immune booster primarily what it is doing on one level is it is promoting how our immune cells function so certain immune cells which are responsible for engulfing pathogens and identifying and clearing out infections quickly become depleted of ascorbic acid these immune cells which are responsible for surveillance have a lot of ascorbic acid within them and as they are doing their job they lose that very quickly by taking ascorbic acid you are essentially topping up your immune cells your immune cells really like ascorbic acidthen if we look specifically at the coronavirus there is a very interesting article written by a lady called doris loh she has done a lot of writing on vitamin c and the various properties of it specifically in relation to vitamin c and the coronavirus she is looking at how the mechanisms by which it actually infects and causes problems for the human body as a virus what it is doing is trying to trick our immune system it has evolved ways to affect our immune system so that it goes undetected and so that we are unable to kill it offso on the context of how it tricks our immune system what its doing is that while we are trying to surveil the environment and pick off these invaders which takes a lot of energy the virus disrupts how our immune system is working by affecting how well the cells are able to synthesise energy there are certain proteins called nproteins of this virus and what they do is block the mitochondria and stop it from synthesising atpi had no idea that this was how vitamin c it was working but the way cells are synthesising energy in the form of atp is that they are using these things called electron carriers we have something called nadh and fadh2 and these are being transported into the mitochondria and donating an electron and that is going through another various set of processes so that we can make this usable energy when this virus infects a cell and disrupts how the mitochondria is functioning we can no longer do this we can actually become depleted in nadh or the nadh is unable to effectively donate the electron what ascorbic acid can do is take the place of nadh and can act as an electron donor so that we can synthesise energy its almost like ascorbic acid can act as an energy source for our cells in the context of immune dysfunctionthat is not usually a function of ascorbic acid its usually used as an antioxidant when damage occurs in our cells there is what is called oxidation so our cells lose electrons the function of vitamin c is to donate an electron its called reduction but essentially it is an antioxidant its not used in how we are making energy whereas what doris loh is saying is that in some cases where the mitochondria are so screwed because of a viral infection vitamin c no longer just becomes an antioxidant it is actually donating the electron for us to make energy that is not a wellestablished fact but it might be one of the reasons why having such high doses is actually necessary because it is actually providing a sustained form of energy for the cells when the cells are so infected by some virus that they are unable to make it by other meansdoug thats interestingelliot this might be one of the ways that vitamin c is actually so beneficial aside from all of its other roles one of the other ways that the coronavirus is messing with the immune system is by activating something called a cytokine storm thats when our innate immune system the inflammatory process ramps up completely in someone who is very susceptible they cant necessarily turn that down its not the virus that kills them per se its their immune system its the inability to shut off their immune system what vitamin c is potentially doing is allowing us to effectively shut off the immune system when we need tothere are lots of different ways in which vitamin c might be helping but it is definitely not just as an antioxidant there are multiple different mechanisms and it is absolutely fascinating i would recommend listeners to read it its called mitochondria the coronavirus the vitamin c connection all that people really need to know is that vitamin c can be really useful and we shouldnt downplay the effects of it its not just an antioxidantdoug is it also used as a prooxidant as well i had heard that it had prooxidant capabilities as well which is something that the immune system uses to eliminate viruses and bacteria and things like thatelliot exactly and i think that that is one of the main mechanisms against cancer i dont know if it is happening against viruses im not familiar with that effect but it would make sense if that is the case when you take ascorbic acid in low doses it is generally an antioxidant but when youre giving it in ultra high doses then it actually generates hydrogen peroxide that is having a prooxidant effect particularly against cancer cells it is quite selective for cancer cells i dont know if it would work against viruses or not i think it works against infections in a similar way again i think that there is lots of stuff that we dont know about iterica going back to what you were saying about the cytokine storm stress also has an effect on this the reaction that everyone is having the fear the stress that people are feeling im sure you folks are feeling it in europe but also here in the us the stress is just adding to that cytokine storm and the inflammation in the body its creating a worse environment for your body by ruminating on it or stressing about it instead of trying to calm that system downelliot its really unfortunate because it seems like that is causing a lot more harm its inherently destructive the sheer amount of frenzy and hysteria which is going on seems relatively disproportionate to the actual threat of the coronavirus when you compare it to the statistics of other infectious outbreaks it seems relatively minor and it is pretty much a nothingburger in my opinion but the media makes it out to be worseits the boogeyman at the moment and i think that people are really scared understandably if they are not well informed and they are not well informed of how to boost their immune system and all of this other kind of stuff its very unfortunate but ultimately what is really important to know is that cortisol which is a stress hormone also modulates the immune system like you were saying erica we have multiple branches of the immune system and what the stress hormones are going to be doing is suppressing the branch of the immune system which is responsible for surveilling against infections and against viruses and against parasitesthe type of immune cells which are responsible the ones that i was talking about the natural killer cells the lymphocytes all of these different things which go around the body and are on constant lookout for viruses or bacteria or pathogens are very sensitive to cortisol cortisol will quickly downregulate that system at the same time it will upregulate the system which is responsible for attacking our own tissues so we have autoimmune conditions which are massively on the rise people tend to get sick very frequently as well so again allowing yourself to get overly stressed is definitely the worst possible thing that you could do if you want to protect yourself against an infection like this it is very difficult watching the mediadoug turn it offerica we were saying before the show that there are those of us who walk outside and things seem normal until you turn on the computer and its the end of the world which is coming via this coronavirus its the unknownselliot is there anything else that anyone would like to saydoug one thing that we could say is that there is a popular conception that vitamin c is very high in oranges and orange juice that is just marketing you want to get yourself an actual vitamin c supplement the amounts that you will find in most foods unfortunately is negligible we are talking about therapeutic doses here so just eating oranges or drinking some orange is really not going to cut it i just wanted to point that out you want to be taking at least a gram at a time which is 1000 microgramsdamian milligramsdoug milligrams thank you damian 1000 micrograms is not going to cut it either erica it is probably better and more cost effective to buy ascorbic acid powder as opposed to the chewable ones that the flintstones make laughter you know what i mean the flintstones vitamins the powder on its own is better than having a cocktail that has got lord knows what kind of filers in it my point is dont buy the flintstones vitamin celliot it is much cheaper to get the powder you can get 100g for about 6 there is no reason not to what people often notice is that when they are suffering from some kind of an infection then their tolerance goes way up usually if someone can only take 4 or 5 grams and any more makes them get digestive symptoms if they have an infection that can go up by at least 5 times you can tolerate 5 times what you usually could have toleratedi know a couple of people who have managed to go up to 30 or 40 grams when they have been poorly where previously they could only tolerate 3g it definitely does get used in some way when you are sick you dont need that much every day but when you are suffering from an infection i find that it tends to help\nerica why not be proactive and prevent the stress mechanism from taking over and keep making your little detox cocktail of vitamin c and water its not the most enjoyable taste but there are a lot of worse things out theredoug trueelliot ok if that is all for today then i want to thank everyone thanks to my cohosts thanks to damian and thanks to the audience thanks for listening if you come down with the coronavirus i hope you dont but if you do then you know where to go get some vitamin c drink some elderberry tea and rest and dont stress if you liked this show or found it helpful please like and subscribe to the page we do one of these shows every week and we will be with you next week for a new show see you next week i think thats everything", + "https://www.sott.net/", + "FAKE", + 0.125323762697935, + 3991 + ], + [ + "Vitamin C and COVID-19 Coronavirus", + "there is only one existing treatment for the new coronavirus vitamin cvitamin c supports your immune systemvitamin c helps to kill the virus and reduces the symptoms of infectionits not a covid cure but nothing isit might just save your life though and will definitely reduce the severity of the infectionif someone tells you its not proven consider two thingsnothing is proven to work against covid19 because it is a new virusvitamin c has worked against every single virus including influenzas pneumonia and even poliomyelitiswhat to doif you do nothing else start taking vitamin c right away at least 3 grams a day spread right across the day thats a 1000 milligram capsule every 8 hours or a level teaspoon of powder dissolved in a pint or so of water drank all through the dayif youre smart and motivated do all the other things recommended in our previous release vitamin c protects against coronaviruswhen and if you catch a bug that might be covid19 simply increase your vitamin c intake a rounded teaspoon thats 4 to 5 grams in water which helps to keep you hydrated every 3 or 4 hours and keep on taking itdo you consult a doctor do you selfisolate yes and yes of course you do thats your duty to othersvitamin c and the other measures are what you do for yourselfthese links provide a large number of references to back up our above statements", + "http://orthomolecular.org/", + "FAKE", + 0.030289502164502165, + 239 + ], + [ + "A Chinese scientist discovered that the killing coronavirus probably comes from a Wuhan laboratory", + "a study by two chinese scientists that suggested that the virus originated a military lab in wuhan", + "https://www.aubedigitale.com/", + "FAKE", + -0.05, + 17 + ], + [ + "How disinformation really works: Activists linked to pro-NATO think tank smear Russian Covid-19 aid to Italy", + "with over 11000 deaths and more than 100000 cases of covid19 italy is currently a country which feels under siege but this is no impediment to the think tank racket twisting an offer of support for its propaganda purposesheres what happened the weekend before last vladimir putin called italian prime minister giuseppe conte during the conversation conte asked for help in fighting coronavirus according to the kremlin readout which hasnt been contradicted by italian officialslets be clear from the outset there was undoubtably a strong pr as well as practical element to russias assistance however there were also advantages to rome from this approach as the move may have helped to concentrate a few minds among its traditional alliesmoscow sent teams of doctors protective gear and medical equipment to the stricken country the detail included 100 military virologists and epidemiologists along with eight medical teams according to russian news outlets most importantly it delivered 600 ventilatorsa significant amount given italy apparently had only about 5000 of the devices indeed a few days after the putinconte call the new york times was writing about italys ventilator crisistheres usually nothing like a bit of russian influence to jolt eu and nato elites into action as mentioned above no doubt this was also part of contes reasoning that said its also worth mentioning that some other europeans states have tried to help the italians germany and france in particular took patients and sent supplies despite dealing with outbreaks of their own yet many in italy feel they havent done enoughputin was also surely thinking ahead to a postcoronavirus crisis time when italians will remember who stood by them in their hour of need especially given italy is now the third most powerful country in a european union which has russia under sanctionsindeed as the diplomatic editor of bbcs newsnight mark urban noted russia and china have sent help to italy you might argue its not huge in scale and given for political reasons but when italians remember this crisis and wonder what the us did for them at this hour of need urban is a vocal russia critic and hardly a kremlin patsya few days after the aid landed a campaign began on twitter to discredit the russian initiative the first i saw of it was a tweet from oliver carroll of londons independent newspaper who presumably speaks italian i dont so i am relying on his translationsome italians are expressing unease about putins covid19 emergency aid he wrote according to la stampa 80 percent of supplies are useless and sources worry about highranking military officers now in the country russian soldiers are free to roam in italy a few steps away from nato the paper statedla stampa says china sent masks and ventilators but russia sent irrelevant equipment used for bacteriological and chemical outbreaks carroll added there is a belief that russia is not helping us only for great goodness of its people now beginning to circulate in broad sectors military and political\nthe newspapers report seemingly relied on the testimony of an anonymous source who did not give their name thus we have to take the authors word for ithowever the same day italys ambassador to moscow had a rather different pointofview pasquale terracciano thanked russia for its assistance in the fight against novel coronavirus adding that the humanitarian aid to his country included about 600 medical ventilators reported the tass news agency it then quoted terracciano as saying it is very important that all this medical equipment includes 600 ventilators which are critically important at this stage of the epidemic\nmeanwhile the president of lombardy attilio fontana openly dismissed la stampas report i say thanks to the russians who sent us doctors and other people who can help with disinfection he told an online press conference lombardy is the italian region most affect by the covid19 crisisthe russian federation has sent face masks ventilators and medical staff and teams to disinfect public buildings and our cities italian foreign minister di maio said they have helped in their own way in an act of solidarityas you can see those entitled to speak for italy seem to be pretty grateful for moscows aid nevertheless predictably atlanticists werent happy despite the fact that trumps america has been about as useful to europe in this emergency as a wetsuit in the desert eto buziashvili of natos atlantic council adjunct wrote on twitter that 80 of the covid19 supplies supplies that russia has sent to italy are useless citing la stampa her twitter biography by the way claims shes an expert in disinformationnext up was olga tokariuk who writes for atlantic council as well as a kievbased news site hromadske which is bankrolled by the local us embassy according to la stampa sources in the italian military 80 of items they the russians brought are useless she tweeted this was shared over 600 timesitaly recently reported that 80 of russian aid against covid_19 is useless wrote dionis cenusa he also pens articles for you guessed it the atlantic council his intervention was retweeted by more than 400 accounts also note that he says italy recently reported not la stampai decided to ask cenusa a perfectly reasonable question do you think italy is an anonymous commenter to a single newspaper and that person assuming they even exist has more right to speak for italy even though they wont even give their name than the ambassador to moscow or the president of lombardy yes for realrather than answer his response was to block me which speaks volumes for how the think tank disinformation racket worksone of atlantic councils more high profile lobbyists michael weiss also joined in the fellow noted how 80 of russian coronavirus aid to italy is useless apparentlywhats most interesting here the fact that so many of the people pushing the disinformation are connected to the pronato pressure group not to mention the fact that they used almost the same form of words was this coordination or coincidencecircling back to the original la stampa piece it seemed logical to check whether the reporter had any think tank links himself not surprisingly it turns out jacopo iacoboni has also written for the atlantic council he most notably assisted alina polyakova with a 2017 report dubbed the kremlins trojan horses this hit job smeared numerous italian public figures such as politicians beppe grillo and matteo salvini as effectively operating as proxies for moscow\npolyakova has since been appointed to run cepa a lobby firm masquerading as a think tank its raison dêtre to promote natos role in eastern europe to this end its funded by american and british weapons manufacturers which have profited from the usled alliances expansion it turns out iacobonis antirussia credentials are quite well known indeed they have even been endorsed by the intregity initiative in case you have forgotten this was a british government funded undercover information wars effort which didnt stay secret for very longthe integrity initiative included him in its list of people in particular countries its organizers felt they could use to run antirussian coverage this is not to imply iacoboni knew he was he being considered by the british for such operations but it does mean they regarded him as reliably antirussian which tells its own talethe la stampa story based on anonymous sources which may or may not be legitimate was a curious intervention at a time when italy is on its knees its quite instructive that the think tank crowd most notably those from atlantic council who rarely show any interest in italian affairs jumped on it as is the authors own association with the pronato institution make of it what you will", + "https://www.rt.com/", + "FAKE", + 0.09555194805194804, + 1287 + ], + [ + "A bovine vaccine can be used to inoculate people against coronavirus", + "just in case youre wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gunna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 36 + ], + [ + null, + "obama coronavirus kills americans in 2015 it was modified in the united states so that it could hit people in china before that he was known only in bats i got to the usa finally to the creators", + "Tin woodman", + "FAKE", + 0, + 38 + ], + [ + "Deep State In Effort To hide their Dirt plans to Block Investigation into Chinese Coronavirus Origins, Tax Money to Wuhan Lab", + "rep guy reschenthaler rpa said this weekend that house speaker nancy pelosi would rather investigate president donald trump again than focus on the actual origins of the chinese coronavirus and us tax dollars that went to the wuhan institute of virology from which intelligence officials increasingly believe the virus leakedappearing on breitbart news saturday on siriusxm 125 the patriot channel reschenthaler discussed his efforts to investigate tax dollars that flowed through a new york firm to the wuhan lab he said that pelosi and house democrats are not interested in holding the chinese communist party accountable and instead want to focus their oversight efforts on politically harming president trump again just like they tried and failed with the partisan impeachment last year and earlier this yearwe should have an investigative body looking at these grants but nancy pelosi is not going to do that reschenthaler said so you have myself and house republicans i can tell you im going to continue to look into these grants im going to continue to look into the department of homeland security as well to see what grants are going from there to china im also looking at defunding the world health organization and we can talk about that as well but the bottom line of the democrats behavior is this they hate this president so badly that they would rather side with the chinese communist party than defend americans and defend our spending and spend wisely and just be honest that is their hatred for president trump and disdain for president trumps supportersreschenthaler wrote a letter this week to secretary of defense mark esper inquiring about a pentagon grant to ecohealth alliance inc a new york firm that has had a history of funding the wuhan institute of virology with subgrants from american taxpayers the pentagon grant the congressman was inquiring about was for research into batborne zoonotic diseases and their potential as weapons of mass destruction or biological weapons while it is unclear if that grant saw us taxpayer money flowing from it out to the wuhan lab it is known that another grant that ecohealth alliance received did partially spend us tax dollars in the chinese labthat grant from the national institutes of health nih in particular the national institute of allergies and infectious diseases niaid which is run by the nowfamous dr anthony fauci saw us tax dollars sent to ecohealth alliance for researching coronaviruses from bats flow out to the chinese lab in wuhan some of the money went to other labs around the world too an nih official confirmed to breitbart news last week but the nih was so concerned about the money and this lab in wuhan that the government notified ecohealth alliance that it would be investigating the matter and that any funds to the wuhan lab must be halted while the investigation occurredthe nih funded ecohealth alliance which then in turn turned around and partially funded the wuhan institute of virology reschenthaler told breitbart news the dod also gave ecohealth alliance 65 million in a grant and like you said that grant was to understand batborne zoonotic disease in context with weapons of mass destruction so what im trying to find out is whether or not the dod funding that went to ecohealth also went to the wuhan institute of virology we know that the nih funding did and we also know that all money is fungible but i want to see if we can trace that money to wuhan to see how much and to what extent the dod and american taxpayers actually funded the wuhan institute of virology", + "https://www.citadelpoliticss.com/", + "FAKE", + -0.017020202020202026, + 605 + ], + [ + "Don’t buy China’s story: The coronavirus may have leaked from a lab", + "at an emergency meeting in beijing held last friday chinese leader xi jinping spoke about the need to contain the coronavirus and set up a system to prevent similar epidemics in the futurea national system to control biosecurity risks must be put in place to protect the peoples health xi said because lab safety is a national security issuexi didnt actually admit that the coronavirus now devastating large swaths of china had escaped from one of the countrys bioresearch labs but the very next day evidence emerged suggesting that this is exactly what happened as the chinese ministry of science and technology released a new directive titled instructions on strengthening biosecurity management in microbiology labs that handle advanced viruses like the novel coronavirusread that again it sure sounds like china has a problem keeping dangerous pathogens in test tubes where they belong doesnt it and just how many microbiology labs are there in china that handle advanced viruses like the novel coronavirusit turns out that in all of china there is only one and this one is located in the chinese city of wuhan that just happens to be the epicenter of the epidemicthats right chinas only level 4 microbiology lab that is equipped to handle deadly coronaviruses called the national biosafety laboratory is part of the wuhan institute of virologywhats more the peoples liberation armys top expert in biological warfare a maj gen chen wei was dispatched to wuhan at the end of january to help with the effort to contain the outbreakaccording to the pla daily chen has been researching coronaviruses since the sars outbreak of 2003 as well as ebola and anthrax this would not be her first trip to the wuhan institute of virology either since it is one of only two bioweapons research labs in all of chinadoes that suggest to you that the novel coronavirus now known as sarscov2 may have escaped from that very lab and that chens job is to try to put the genie back in the bottle as it were it does to meadd to this chinas history of similar incidents even the deadly sars virus has escaped twice from the beijing lab where it was and probably is being used in experiments both manmade epidemics were quickly contained but neither would have happened at all if proper safety precautions had been taken\nand then there is this littleknown fact some chinese researchers are in the habit of selling their laboratory animals to street vendors after they have finished experimenting on themyou heard me rightinstead of properly disposing of infected animals by cremation as the law requires they sell them on the side to make a little extra cash or in some cases a lot of extra cash one beijing researcher now in jail made a million dollars selling his monkeys and rats on the live animal market where they eventually wound up in someones stomachalso fueling suspicions about sarscov2s origins is the series of increasingly lame excuses offered by the chinese authorities as people began to sicken and diethey first blamed a seafood market not far from the institute of virology even though the first documented cases of covid19 the illness caused by sarscov2 involved people who had never set foot there then they pointed to snakes bats and even a cute little scaly anteater called a pangolin as the source of the virus\ni dont buy any of this it turns out that snakes dont carry coronaviruses and that bats arent sold at a seafood market neither for that matter are pangolins an endangered species valued for their scales as much as for their meatthe evidence points to sarscov2 research being carried out at the wuhan institute of virology the virus may have been carried out of the lab by an infected worker or crossed over into humans when they unknowingly dined on a lab animal whatever the vector beijing authorities are now clearly scrambling to correct the serious problems with the way their labs handle deadly pathogenschina has unleashed a plague on its own people its too early to say how many in china and other countries will ultimately die for the failures of their countrys staterun microbiology labs but the human cost will be highbut not to worry xi has assured us that he is controlling biosecurity risks to protect the peoples health pla bioweapons experts are in chargei doubt the chinese people will find that very reassuring neither should westeven w mosher is the president of the population research institute and the author of bully of asia why chinas dream is the new threat to world order", + "https://nypost.com/", + "FAKE", + 0.06481191222570534, + 772 + ], + [ + "CORONAVIRUS OUTBREAK IN EUROPE: CRIMINAL NEGLIGENCE OR PREPLANNED ACTION", + "europ is in panic its targeted not only by a new wave of illegal migrants sent by turkey and the collapse of energy markets but also by a coronavirus threat over the past days italy became the key center of the coronavirus outbreak sparking declarations about a total lockdownthe virus known as covid19 has now infected close to 115000 people worldwide and resulted in more than 4000 deaths the majority of these cases are in mainland china where the outbreak first emerged as of march 10 a total of 80761 cases and 3136 deaths were registered however beijing seems to be gaing an upper hand and the rate of infection has been slowing significantly in the country and the situation stabilizing over 60000 people recovered and during the past 24 hours there were only 26 new coronavirus cases registered in mainland china the nubmer of coronavirus cases per 1 million of population stands at approximately 561south korea which was another epicenter of the coronavirus outbreak is also dealing with the situation successfully the toal number of cases is 7513 the number of death is 54 during the past 24 hours there were 35 new cases registered only the total number of cases per 1 million of people is 1465the situation is fully different in europe during the past few days only italy mostly france and spain turned to be the center of chaos and virus hysteria the speed and scale of the outbreak is surprising according to live updates there were a total of 9172 cases registered in italy with 463 deaths already 1797 new cases and 97 new deaths were registered on march 9 only the number of total cases per 1 million of population is 1517 this is higher than in china and south korea despite the fact that the density of population in italy is much lowerthe crisis in france and span is not so acute but it also surprisingeurope has almost 15 months to prepare for the spreading coronavirus problem however no effective measures were apparently employed the disregard to epidemiological norms and measures needed to combat the oubreak is among the key issues named by local sourcesuntil recently all limitations and measures employed by italian authorities were merely a formality on march 9 the northern region of lombardy and 14 other provinces were placed under lockdown additional measures included blanket travel restrictions a ban on all public events the closures of schools and public spaces such as movie theaters and the suspension of religious services including funerals or weddings however italy is already the center of the outbreak and all these measures appear to be at least latefor example india which is located relatively near such centers of the outbreak as south korea china and iran did not fall into such a crisis the difference is in the measures employedthere is little doubt that the coronavirus threat is overestimated by mainstream media and governemnts covid19 is in fact an ordinary viral disease with a slightly higher mortality from complications for people of old age or peopel with weakened immunity another open secret is that the current hysteria over the outbreak is being successfully used by some players to achieve their own economic and geopolitical goals looking at the current situation in europe one could suppose that some forces have seized an opportunity and are now fueling the coronavirus crisis intentionally", + "https://web.archive.org/", + "FAKE", + 0.038933566433566436, + 565 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "you should drink water every quarter of an hour to keep your mouth and throat moist because the virus will pass through the esophagus directly into the stomach where stomach acids destroy the virus", + "Facebook", + "FAKE", + -0.05, + 34 + ], + [ + "China seek for court’s approval to kill the over 20,000 coronavirus patients to avoid further spread of the virus", + "the highest level of court in chhina supreme peoples court is expected to give an approval on friday for the mass killing of coronavirus patients in china as sure means of controlling the spread of the deadly virus the state tells the court that china is on the verge of losing its health workers to coronavirus as at least 20 health workers contract the virus daily the state argues that coronavirus patients admitted at hospitals only have their deaths delayed and infect many others while receiving care at the hospital china has been under criticism for human rights violations and organizations have questioned chinas approach in dealing with the coronavirus outbreak and it is believed the country has already killed many of its coronavirus patients", + " AB-TC", + "FAKE", + 0.06999999999999999, + 125 + ], + [ + null, + "covid19 is a fake its a common and not deadly virus all those deaths in italy cannot be because of the coronavirus\n\nits a political move to destroy small businesses and install deep state hegemony us is adopting fascist measures to limit peoples freedom", + "Youtube", + "FAKE", + -0.1642857142857143, + 44 + ], + [ + "SPECIAL REPORT: Mike Adams joins Alex Jones to reveal how coronavirus is an engineered weapon to destroy the Western world", + "today i joined alex jones in the infowars studios to record a bombshell special report its entitled emergency report coronavirus is an engineered weapon for the global takedown of the western worldyou can watch it via this link at bannedvideo or see the video embed below also available soon via brighteoncomthe completely unscripted video is about one hour in duration and delves into the globalist origins of the engineered coronavirus and how open borders policies and malicious negligence by the cdc are converging to create millions of infections and deaths in america as part of a globalist plot to destroy trump and defeat americaalex opens the special report with a 19minute introduction that gives the big picture view of whats happening he then invites me on to explore issues likecoronavirus pandemic projections for americathe sxsw cancellation and why its part of a psyop to spread fear on top of the legitimate concerns over the virus spreadwhy president trump is making an enormous mistake in trusting cdc nih and fda advisorshow president trump could stop this virus in its tracks and save americathe china invasion scenario and why chinas military will be the first in the world thats immune to the coronavirushow hillary clinton becomes president after trump resigns under pressure following millions of deaths in america one possible scenario we pray doesnt happenhow trump can protect americas economy and prevent mass deaths by promoting antiviral herbs minerals and nutraceuticals that are available now and can substantially boost immune function across the population at largewhy big pharma is currently in control of washington dc and is exploiting this pandemic to rake in billions for the drug and vaccine industrieswhy globalist open borders policies were put in place before this biological weapon was released onto the world making sure infected migrants carry the virus into western europe and the usahow this pandemic achieves all the goals of the globalists depopulation gun control censorship martial law mandatory vaccines destroying americaending trump and much more its the ultimate combo weapon system to attack the western world and enslave humanity", + "https://www.naturalnews.com/", + "FAKE", + 0.11016483516483515, + 345 + ], + [ + "Coronavirus: Fears 5G wifi networks could be acting as 'accelerator' for disease", + "as coronavirus has ripped across the globe a new conspiracy theory has found an eager audience that the symptoms of the virus high fever coughing and shortness of breath are actually the human body responding to exposure to 5ganti5g critics based in the uk accept the virus likely began in a market in wuhan and travelled here through human transmission but they bizarrely believe the 5g networks helps the spread of the virusbut theyre concerned the ultrafast network currently operating in almost 100 locations around britain could be helping it to spread more quickly despite a lack of scientific proof to stand up their unfounded claimsactivist louise thomas based in somerset told daily star online we cant say 5g has caused the coronavirus but it might be exacerbating ittanja rebel another activist and philosophy lecturer at the isle of wight college told us many studies show that electromagnetic radiation emr suppresses the immune system and that it helps viruses and bacteria thriveso emr and in particular 5g could act as an accelerator for the disease we do not know for sure but common sense and the precautionary principle decree that we urgently need a moratorium on the rollout of 5g until we can show that it is safevery little is known about covid19 the novel coronavirus at the heart of the current pandemic but research has shown that viruses talk to each other when making decisions about infecting a hostactivists are now calling for the government to put a stop to the 5g rollout in what they believe to be the interests of public health despite repeated assurances from experts that the network radiation poses no threatespecially in todays situation it is paramount that we do not play further with lives rebel said anything else would be deeply reckless", + "https://www.dailystar.co.uk/", + "FAKE", + 0.09923160173160171, + 299 + ], + [ + "A Shocking Update. Did The Virus Originate in the U.S.?", + "virus known as covid19 originated outside china it may have originated in the us that covid19 may have been brought to china by the us army ", + "https://www.globalresearch.ca/", + "FAKE", + 0, + 26 + ], + [ + null, + "essential oils to protect against coronavirus there are a wide range of essential oils that have been clinically proven to possess antiviral properties whilst these essential oils do not all offer the same level of defence sic many have been proven to have a measurable effect on a wide range of infective agents such as influenza a and b parainfluenza strains 12 3 vaccinia herpes simplex and polio the most powerful antivirus essential oils to provide defence sic against coronavirus include basilbergamot cajuput cedarwood virginian cinnamon clove bud eucalyptus globulus radiata and smithii juniper berry lavender spike laurel leaf lemon manuka niaouli peppermint ravensara ravintsara rosemary sage tea tree thyme sweet and thyme whiteif you dont want to make your own blends quinessence antivirus synergy contains some of the most powerful expertly blended antiviral essential oils that can be used to deliver you protection since this new strain of virus continues to be a very serious threat right now it certainly cant hurt to use the essential oils you already have to avoid infection until a cure has been developed antivirus synergy ravensara tea tree basil and cedarwood virginian this pure essential oil synergy is ideal to use during a chill or the cold season because of the powerful antiviral and antiseptic properties of these essential oils eucalyptus radiata has a powerful antibacterial antifungal and antiinfectious action which makes it extremely useful for all types of infection in my opinion eucalyptus radiata is better suited than globulus for chronic respiratory conditions and viral or bacterial infections especially with young children niaouli essential oil has also been shown to be very effective against most types of infectious respiratory ailmentswhite thyme essential oil exhibits a powerful antiinfectious action making it the perfect winter essential oil because its expectorant properties stimulate the expulsion of catarrh whilst an antispasmodic action soothes the strain of coughing plus a powerful antiviral action helps kill off the infectionessential oils to protect against coronavirus", + "https://www.quinessence.com/", + "FAKE", + 0.1877181337181337, + 326 + ], + [ + "WATCH: BILL GATES LETS YOU KNOW THAT MASS GATHERINGS WILL BE CANCELLED UNTIL YOU TAKE THE NEW VACCINE", + "in october of 2012 this website ran a story about bill gates eugenicist tendencies citing video clips of him publicly talking about the need to bring more vaccinations to the world and how this would make it possible to reduce population growthweve since run many stories on gates pursuits to have an impact on the world including discussing the idea that a global pandemic would present the perfect opportunity to rollout mandatory vaccineshere is the quote from gates at that timeover this decade we believe unbelievable progress can be made both inventing new vaccines and making sure they get to all the children that need them we could cut the number of children who die every year from about 9 million to half of that if we have success on it the benefits are in terms of reducing sickness reducing the population growth it really allows a society a chance to take care of itself once youve made that intervention\na key word in the above quote is intervention and now that were in the throes of the global coronavirus pandemic we see gates making regular appearances for mainstream audiences such as with trevor noah on the daily show and cbs this morning with anthony mason his message is consistent a new vaccine is the only thing that can allow us to continue our livesgates is unashamedly a health interventionist which is not entirely unlike the military interventionist\nboth believe they are gifted with a superior sense of what is right and wrong and both believe that providence has put them in a position of power so that they may improve upon the world they do not concern themselves with collateral damagein the years since gatess above comments a frustrating impasse has emerged for the cause of vaccination when given the choice a lot of people choose not take vaccinationsyou see people began wondering what possible sideeffects and negative effects vaccines were having on childrenpeople started to question the motives and practices of the pharmaceutical companies who were creating these for profit productspeople began to wonder what influence these same companies had on representatives of our democracy and how this influence was shaping public vaccination policypeople began wondering how the influence of pharmaceutical company advertising dollars was influencing the national media and the public conversation over vaccine safetypeople began to wonder why these same vaccine manufacturers were granted federal legal immunity from any harm their products may cause a privilege not known by any other industrynaturally the result of all this questioning was that people began to make informed decisions out of concern for their wellbeingmany people who looked into this all decided to go ahead with vaccinationsmany people decided to optout and as information about this issue spread the numbers of those optingout grew and continues to growso now we have open censorship of vaccine adverse reaction information individuals and organizations who champion the cause of vaccine safety on behalf of children and parents whove experienced vaccine harm are demonized and demonetizedbut children are not dying en masse of diseases for which vaccines have been invented and people are still refusing vaccinations and people are still opting out of vaccinesand the policy of influencing world population through the use of vaccinations doesnt work when people dont take the vaccines\nso laws began to change as well vaccine exemptions were attacked and removed school systems began demanding more vaccines for students and kicking children out of school if their parents had optedoutthe tenor from government on this has become increasingly authoritarianso now we have a global pandemicand while there is no consensus on the origin of the virus no consensus on what constitutes a death from covid19 no consensus on how many strains of this virus are already circulating no consensus on how the official numbers are compiled and no push to improve public health by suggesting antiviral products or propernutrition or anything other than vaccines we have bill gates telling us that to get our life back to work to participate in community well have to take a brand new covid19 vaccinehere he is in his own wordsin which activities like mass gatherings uh may be in a certain sense more optional and so until youre widely vaccinated those may not uh come back uh at all bill gates we will not be allowed to have mass gatherings unless weve taken a covid19 vaccine\ndoes this sound optional to youthis really is just the tip of the iceberg as gates has made a slew of similar statements in recent weeks truthstream media just did an excellent presentation on thisif youre at all less than interested in being required to have a vaccine in order to regain your personal freedom now would be a good time to speak up about itby the way since 2012 weve run a number of stories as have other news outlets highlighting gates projects to influence world health through the invention of vaccines and technologies giving more control over your health to bureaucracies", + "https://www.wakingtimes.com/", + "FAKE", + 0.13516808712121214, + 838 + ], + [ + "The Coronavirus 5G Connection and Coverup", + "the china coronavirus 5g connection is a very important factor when trying to comprehend the coronavirus formerly abbreviated 2019ncov now covid19 outbreak various independent researchers around the web for around 23 weeks now have highlighted the coronavirus5g link despite the fact that google as the selfappointed nwo censorinchief is doing its best to hide and scrub all search results showing the connection the coronavirus 5g connection doesnt mean the bioweapons connection is false its not a case of eitheror but rather broadens the scope of the entire event wuhan was one of the test cities chosen for china 5g rollout 5g went live there on october 31st 2019 almost exactly 2 months before the coronavirus outbreak began meanwhile many scientific documents on the health effects of 5g have verified that it causes flulike symptoms this article reveals the various connections behind the coronavirus phenomenon including how 5g can exacerbate or cause the kind of illness you are attributing to the new virus the rabbit hole is deep so lets take a dive5g a type of directed energy weapon for the deeper background to 5g read my 2017 article 5g and iot total technological control grid being rolled out fast many people around the world including concerned citizens scientist and even governmental officials are becoming aware of the danger of 5g this is why it has already been banned in many places worldwide such as brussels the netherlands and parts of switzerland ireland italy germany the uk the usa and australia after all 5g is not just the next generation of mobile connectivity after 4g it is a radical and entirely new type of technology a military technology used on the battlefield that is now being deployed military term in the civilian realm it is phased array weaponry being sold and disguised as primarily a communications system when the frequency bands it uses 24ghz 100ghz including mmw millimeter waves are the very same ones used in active denial systems ie crowd control even mainstream wikipedia describes active denial systems as directed energy weaponry it disperses crowds by firing energy at them causing immediate and intense pain including a sensation of the skin burning remember directed energy weapons dew are behind the fall of the twin towers on 911 and the fake californian wildfiresnumerous scientists have warned of the dangerous health effects of 5g for instance in this 5g appeal from 2017 entitled scientists and doctors warn of potential serious health effects of 5g scientists warned of the harmful of nonionizing rfemf radiation\neffects include increased cancer risk cellular stress increase in harmful free radicals genetic damages structural and functional changes of the reproductive system learning and memory deficits neurological disorders and negative impacts on general wellbeing in humans damage goes well beyond the human race as there is growing evidence of harmful effects to both plants and animalsif you listen to mark steele and barrie trower youll get an idea of the horrifying effects of 5g in this interview trower echoes the above quote by stating how 5g damages the immune system of trees and kills insects he reveals how in 1977 5g was tested on animals in hopes of finding a weapon the results were severe demyelination stripping the protective sheath of nerve cells some nations are now noticing a 90 loss of insects including pollinating insects like bees which congregate around lampposts where 5g is installed\nwuhan military games and event 201 simulationif you dig deep enough some disturbing connections arise between 5g and the men who have developed or are developing vaccines for novel viruses like ebola zika and the new coronavirus covid19 in a fantastic piece of research an author under the pen name of annie logical wrote the article corona virus fakery and the link to 5g testing that lays out the coronavirus 5g connection there is a ton of information so i will break it all down to make it more understandable2019 wuhan hosted the military world games and specifically used 5g for the first time ever for the event also on october 18th 2019 in new york the johns hopkins center in partnership with world economic forum wef and the bill and melinda gates foundation hosted event 201 a global pandemic exercise which is a simulation of a pandemic guess what virus they happen to choose for their simulation a coronavirus guess what animal cells they use pig cells covid19 was initially reported to be derived from a seafood market and the fish there are known to be fed on pig waste event 201 includes the un since the wef now has a partnership agreement with un big pharma johnson and johnson bill gates key figure in pushing vaccines human microchipping and agenda 2030 and both china and americas cdc participants in event 201 recommended that governments force social media companies to stop the spread of fake news and that ultimately the only way to control the information would be for the who world health organization part of the un to be the sole central purveyor of information during a pandemicinovio electroporation and 5gas reported on january 24th 2020 us biotech and pharmaceutical company inovio received a 9 million grant to develop a vaccine for the coronavirus inovio got the money grant from the coalition for epidemic preparedness innovations cepi however they already have an existing partnership with cepi in april 2018 they got up to 56 million to develop vaccines for lassa fever and middle east respiratory syndrome mers cepi was founded in davos by the governments of norway and india the wellcome trust and the participants of event 201 the bill and melinda gates foundation and the wef cepis ceo is the former director of barda us biomedical advanced research and development authority which is part of the hhs inovio claimed they developed a coronavirus vaccine in 2 hours on the face of it such a claim is absurd what is more likely is that they are lying or that they already had the vaccine because they had the foreknowledge that the coronavirus was coming and was about to be unleashedso who owns and runs inovio two key men are david weiner and dr joseph kim weiner was once kims university professor weiner was involved with developing a vaccine for hiv and zika you can read my articles about zika here and here where i exposed some of the lies surrounding that epidemic kim was funded by merck a large big pharma company and produced something called porcine circovirus pcv 1 and pcv 2 as mentioned above there is a link between pig vaccinespig dna and the coronavirus annie logical notes that it has long been established that seafood in the area is fed on pig waste kim served a 5year tenure as a member of the wefs global agenda council yet another organ pushing the new world order one world government under the banner of agenda 2030 global governanceweiner is an employee and advisor to the fda is considered a dna technology expert and pioneered a new dna transference method called electroporation a microbiology technique which uses an electrical pulse to create temporary pores in cell membranes through which substances like chemicals drugs or dna can be introduced into the cell this technique can be used to administer dna vaccines which inject foreign dna into a hosts cells that changes the hosts dna this means if you take a dna vaccine you are allowing your dna to be changed as if vaccines werent already horrific enough but heres the kicker electroporation uses pulsed waves guess what else uses pulsed waves 5g this is either a startling coincidence or evidence or a sinister coronavirus 5gconnection annie writesthe same action that 5g technology uses in pulsed waves and the coronavirus was reported to have started in an area in china that had rolled out 5g technology so we can see how geneticists using scientists are tampering with the building blocks of our existence and what is disturbing is that prof wiener is a hiv pioneer and we know that soon after the polio vaccines were given to millions in africa that hiv emerged they have perfected the art of injecting animal or bird dna into human chromosomes which alters our dna and causes things like haemorrhaging fever cancers and even deathspeaking of hiv which is not the same things as aids but that is another story remember also that a group of indian scientists put out their research that the virus was manmade and had hiv inserts they found that 4 separate hiv genes were randomly embedded within the coronavirus these genes somehow converged to create receptor sites on the virus that were identical to hiv which was a surprise due to their random placement they also specifically stated that this was not likely to happen naturally unlikely to be fortuitous in nature in yet another example of egregious censorship these scientists were pressured to withdraw their work5g and electroporation dna vaccines both producing pulsed emf wavesconsider the implications of this for a moment the technology exists to use emfs to open your very skin pores and inject foreign dna into your bloodstream and cells this is an extreme violation of your bodily sovereignty and it can have longterm effects because of genetic mutation changing your very dna which is the biological blueprint and physical essence of who you arewhat if 5g mimics electroporation what if 5g can do on a large scale what electroporation does on a small scale we already know that 5g has the potential to be mutagenic dnadamaging the frequencies that 5g uses especially 75100ghz interact with the geometrical structure of our skin and sweat ducts acting upon them like a transmission reaching an antenna and fundamentally affecting us and our moodwhat if 5g is being used to open up the skin of those in wuhan so as to allow the new bioweapon coronavirus to infiltrate more easilymandatory vaccines depopulation and transhumanismso whats at the bottom of the coronavirus5g connection rabbit hole i would suggest we find mandatory vaccine agenda the depopulation agenda and transhumanist agenda via dna vaccines the key figures and groups who appear to have planned this already have the vaccine in place just as they did for the other epidemics that fizzled out sars ebola and zika weiner even has links to hivaids and if you dive into that as jon rappoport did you find gaping holes in that storyits the same epidemicpandemic game played out every 23 years theres a couple of versions in the first version you invent a virus hype it up get people scared do ineffectual and inconclusive tests eg like the pcr test which measures if a viral fragment is present but doesnt tell you the quantities of whether it would actually causing the disease inflate the body count justify quarantinemartial law and brainwash people into thinking they have to buy the toxic vaccine and introduce mandatory vaccination you dont even need a real virus or pathogen for the version in the second version you create a virus as a bioweapon release it as a test pretend it was a natural mutation watch how many people it kills which helps with the eugenics and depopulation agendas again justify martial law again justify the need for mandatory vaccines and even pose as the savior with the vaccine that stops it as a variation on this second version you can even develop a racespecific bioweapon so as to reduce the population of rival nations or enemy races as a geopolitical strategy this article suggests that the coronavirus targets chinese peopleasians more than others and certainly the official death count attests to that although its always hard to trust governmental statistics annie logical gives her takethe con job goes like thisstep 1 poison the population purposely to create disease that does not and would never occur naturally step 2 parlay the purposely created disease as being caused by something invisible outside the realm of control or knowledge of the average person step 3 create a toxic vaccine or medication that was always intended to further poison the population into an early grave step 4 parlay the vaccine or medication poisoning as proof the disease which never existed is much worse than anticipated step 5 increase the initial poisoning which is marketed as a fake disease and also increase the vaccine and medication poisoning to start piling the bodies into the stratosphere step 6 repeat as many times as possible upon an uninformed population because killing a population this way the art of having people line up to kill themselves with poisonknown as a soft kill method is the only legal way to make sure such eugenic operations can be executed on mass and in plain sightdna vaccines are a disturbing new advancement for transhumanism after all the objective of the transhumanist agenda is to merge man with machine and in doing so wipe out what fundamentally makes us human so we can be controlled and overtaken by a deeply sinister and negative force its all about changing us at the fundamental level or attacking human sovereignty itself dna vaccines fit right in with that literally changing your dna by forcefully inserting foreign dna to change your genetics with consequences no one could possibly fully foresee and predictone last coronavirus5g connectionfinally i will finish with another coronavirus5g connection the word coronavirus itself refers to many kinds of viruses by that name not just covid19 guess who owns a patent for a coronavirus strain that can be used to develop a vaccine the pirbright institute and guess who partially owns them bill gates as yoiu can read here pirbright is being supported in their vaccine developement endeavors by a british company innovate uk who also funds and supports the rollout of 5g innovate uk ran a competition in 2018 with a 15 million share out to any small business that could produce vaccines for epidemic potentialthe motivation to hype and the motivation to downplayhistory has shown that in cases of epidemics or fake epidemics there is almost always a morass of conflicting reports and contradictory information in such situations it can be very difficult to get to the bottom of the matter and find the truth the conflict stems from the different motivations of nations governments and other interested groups essentially there are 2 main motivations the motivation to hype exaggerate and use fear to grab attention sell something make a group look badincompetent make people scared make the public accept mandatory vaccination and martial law and the motivation to downplay cover up and hide the true extent of the damage morbidity or mortality so as to appear competent and in control to lessen possible anger backlash or disorder sometimes these 2 motivations may drive the behavior of the same group eg in the case of the chinese government it has the motivation to hype to get people afraid so they easily follow its draconian quarantine rules and the motivation to downplay so as to appear in the eyes of its people and the rest of the entire world to have the situation under control to ensure saving face credibility and a good reputationfinal thoughts on the coronavirus 5g connectiongovernments around the world have experimented with bioweapons both on their own citizens and foreign citizens and even sold that research to other governments for their own benefit eg japans notorious unit 731 which developed bioweapons in china only to hand over that research to the us after losing world war 2 see bioweapons lyme disease weaponized ticks plum island more for a brief history of the usgs usage of weaponized ticks which resulted in lyme disease the evidence that covid19 is a bioweapon is overwhelming and so is the evidence that 5g is involved to either cause the flulike symptomspneumonia people have been experiencing andor to exacerbate the virulity of the virus by weakening peoples immune systems and subjecting them to pulsed waves of emf to open up their skin to foreign dna fragments including virusesin this kinds of story there are no major coincidences only connections and conspiracies waiting to be uncovered", + "https://www.davidicke.com/", + "FAKE", + 0.01115801758747303, + 2698 + ], + [ + "Eating bananas is a preventative against the COVID-19 coronavirus disease", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + "Role of 5G in the Coronavirus Epidemic in Wuhan China", + "wuhan the capital of hubei province in china was chosen to be chinas first 5g smart city and the location of chinas first smart 5g highway wuhan is also the center of the horrendous coronavirus epidemic the possible linkage between these two events was first discussed in an oct 31 2019 article entitled wuhan was the province where 5g was rolled out now the center of deadly virus https5gemfcomwuhanwastheprovincewhere5gwasrolledoutnowthecenterofdeadlyvirus the question that is being raised here is not whether 5g is responsible for the virus but rather whether 5g radiation acting via vgcc activation may be exacerbating the viral replication or the spread or lethality of the disease lets backtrack and look at the recent history of 5g in wuhan in order to get some perspective on those questions an asia times article dated feb 12 2019 httpswwwasiatimescom201902articlechinatolaunchfirst5gsmarthighway stated that there were 31 different 5g base stations that is antennae in wuhan at the end of 2018 there were plans developed later such that approximately 10000 5g antennae would be in place at the end of 2019 with most of those being on 5g led smart street lamps the first such smart street lamp was put in place on may 14 2019 wwwchinaorgcnchina20190514content_74783676htm but large numbers only started being put in place in october 2019 such that there was a furious pace of such placement in the last 2 ½ months of 2019 these findings show that the rapid pace of the coronavirus epidemic developed at least roughly as the number of 5g antennae became extraordinarily high so we have this finding that chinas 1st 5g smart city and smart highway is the epicenter of this epidemic and this finding that the epidemic only became rapidly more severe as the numbers of 5g antennae skyrocketedare these findings coincidental or does 5g have some causal role in exacerbating the coronavirus epidemic in order to answer that question we need to determine whether the downstream effects of vgcc activation exacerbate the viral replication the effects of viral infection especially those that have roles in the spread of the virus and also the mechanism by which this coronavirus causes deathaccordingly the replication of the viral rna is stimulated by oxidative stressj mol biol 2008 nov 283835108196 variable oligomerization modes in coronavirus nonstructural protein 9 ponnusamy r moll r weimar t mesters jr hilgenfeld rother aspects of viral replication including those involved in the spread of the virus are stimulated by increased intracellular calcium ca2i oxidative stress nfkappab elevation inflammation and apoptosis each of which are increased following emf exposure the first citation below shows an important role of vgcc activation in stimulating coronavirus infectionthe predominant cause of death from this coronavirus is pneumonia pneumonia is greatly exacerbated by each of those five downstream effects of vgcc activation excessive intracellular calcium oxidative stress nfkappab elevation inflammation and apoptosis the first of the citations listed below shows that calcium channel blockers the same type of drugs that block emf effects are useful in the treatment of pneumonia this predicts that emfs acting via vgcc activation will produce increasingly severe pneumonia and therefore 5g radiation as well as other types of emfs may well increase pneumonia deathsthese all argue that 5g radiation is likely to greatly exacerbate the spread of the coronavirus and to greatly increase the lethality of the infections produced by it the good news is that it is likely that those of us that live in areas with no 5g radiation and who avoid other emfs wherever possible will probably escape much of the impacts of this prospective global pandemic it is highly probable that one of the best things wuhan can do to control the epidemic in the city is to turn off the 4g5g system", + "https://electromagnetichealth.org/", + "FAKE", + 0.12468412942989214, + 624 + ], + [ + "COVID-19 Coronavirus “Fake” Pandemic: Timeline and Analysis", + "on january 30th 2020 the world health organization who declared a public health emergency of international concern pheic in relation to chinas novel coronavirus 2019ncov categorized as a viral pneumonia the virus outbreak was centred in wuhan a city in eastern china with a population in excess of 11 millionin the week prior to january 30th decision the who emergency committee expressed divergent views there were visible divisions within the committee on january 30th a farreaching decision was taken without the support of expert opinion at a time when the coronavirus outbreak was limited to mainland china\nthere were 150 confirmed cases outside china when the decision was taken 6 in the united states 3 in canada 2 in the uk etc150 confirmed cases over a population of 64 billion world population of 78 billion minus chinas 14 billionwhat was the risk of being infected virtually zerothe who did not act to reassure and inform world public opinion quite the opposite a fear pandemic rather than a genuine public health emergency of international concern pheic was launchedoutright panic and uncertainty were sustained through a carefully designed media disinformation campaignalmost immediately this led to economic dislocations a crisis in trade and transportation with china affecting major airlines and shipping companies a hate campaign against ethnic chinese in western countries was launched followed by the collapse in late february of stock markets not to mention the crisis in the tourist industry resulting in countless bankruptciesthe complexity of this crisis and its impacts have to be addressed and carefully analysedwhat we are dealing with is economic warfare supported by media disinformation coupled with the deliberate intent by the trump administration to undermine chinas economy the ongoing economic dislocations are not limited to chinathere are important public health concerns which must be addressed but what motivated the directorgeneral of the who to act in this way who was behind this historic january 30th decision of the whos director general tedros adhanom ghebreyesus our subsequent analysis in the timeline below reveals that powerful corporate interests linked to big pharma wall street and agencies of the us government were instrumental in the whos farreaching decisionwhat is at stake is the alliance of big pharma and big money with the endorsement of the trump administration the decision to launch a fake pandemic under the helm of the who on january 30 was taken a week earlier at the davos world economic forum wef the media operation was there to spread outright panicscroll down to read our timeline on how these events unfolded but this was not the first time that the who decided to act in this wayremember the unusual circumstances surrounding the april 2009 h1n1 swine flu pandemican atmosphere of fear and intimidation prevailed the data was manipulatedbased on incomplete and scanty data the who director general nonetheless predicted with authority that as many as 2 billion people could become infected over the next two years nearly onethird of the world population world health organization as reported by the western media july 2009it was a multibillion bonanza for big pharma supported by the whos directorgeneral margaret chan in june 2009 margaret chan made the following statementon the basis of expert assessments of the evidence the scientific criteria for an influenza pandemic have been met i have therefore decided to raise the level of influenza pandemic alert from phase 5 to phase 6 the world is now at the start of the 2009 influenza pandemic margaret chan directorgeneral world health organization who press briefing 11 june 2009 what expert assessmentsin a subsequent statement she confirmed thatvaccine makers could produce 49 billion pandemic flu shots per year in the bestcase scenariomargaret chan directorgeneral world health organization who quoted by reuters 21 july 2009 a financial windfall for big pharma vaccine producers including glaxosmithkline novartis merck co sanofi pfizer et alcoronavirus timeline september 2019 the official uswho position is that the coronavirus originated in wuhan hubei province and was first discovered in late december this statement is questioned by chinese and japanese virologists who claim that the virus originated in the usa renowned taiwanese virologist pointed to evidence that the virus could have originated at an earlier stage stating we must look to september of 2019october 1827 2019 wuhan 2019 cism sport military world games chinese media intimates without corroborating evidence that the coronavirus could have been brought to china from a foreign source during the cism military world games10000 soldiers from 109 countries will participate200 american military personnel participated in this 10 day eventoctober 18 event 201 new york coronavirus ncov2019 simulation and emergency preparedness task force john hopkins bloomberg school of health security big pharmabig money simulation exercise sponsored by wef and gates foundation simulation exercise of a coronavirus epidemic which results in 65 million dead supported by the world economic forum wef representing the interests of financial institutions the bill and melinda gates foundation representing big pharmain october 2019 the johns hopkins center for health security hosted a pandemic tabletop exercise called event 201 with partners the world economic forum and the bill melinda gates foundation for the scenario we modeled a fictional coronavirus pandemic but we explicitly stated that it was not a prediction\ninstead the exercise served to highlight preparedness and response challenges that would likely arise in a very severe pandemic we are not now predicting that the ncov2019 outbreak will kill 65 million peoplealthough our tabletop exercise included a mock novel coronavirus the inputs we used for modeling the potential impact of that fictional virus are not similar to ncov2019we are not now predicting that the ncov2019 which was also used as the name of the simulation outbreak will kill 65 million peoplealthough our tabletop exercise included a mock novel coronavirus the inputs we used for modeling the potential impact of that fictional virus are not similar to ncov2019several of the occurrences of the ncov2019 exercise coincided with what really happened in the event 201 simulation of a coronavirus pandemic a 15 collapse of financial markets had been simulatedit was not predicted according to the organizers and sponsors of the eventprivate sector initiative participation of corporate execs foundations financial institutions banks big pharma cia cdc chinas cdc no health officials with exception of cdc and china cdc present on behalf of national governments or the who the simulation exercise was held on the same day as the opening of the cism world militaty sports games in wuhandecember 31 2019 first cases of pneumonia detected and reported in wuhan hubei province chinajanuary 1 2020 chinese health authorities close the huanan seafood wholesale market after western media reports that wild animals sold there may have been the source of the virus this initial assessment was subsequently refuted by chinese scientistsjanuary 7 2020 chinese authorities identify a new type of virus which was isolated on 7 january the coronavirus was named 2019ncov by the who exactly the same name as that adopted in the wefgatesjohn hopkins october 18 2019 simulation exercise january 11 2020 the wuhan municipal health commission announces the first death caused by the coronavirusjanuary 22 2020 who members of the who emergency committee expressed divergent views on whether this event constitutes a pheic or notjanuary 2124 2020 consultations at the world economic forum davos switzerland under auspices of the coalition for epidemic preparedness innovations cepi for development of a vaccine program cepi is a wefgates partnership with support from cipi seattle based moderna will manufacture an mrna vaccine against 2019ncov the vaccine research center vrc of the national institute of allergy and infectious diseases niaid part of nih collaborated with moderna to design the vaccinenote the development of a 2019 ncov vaccine was announced at davos 2 weeks after the january 7 2020 announcement and barely a week prior to the official launching of the whos worldwide public health emergency on january 30 the wefgatescepi vaccine announcement precedes the who public health emergency pheicjanuary 30 2020 geneva who director general determines that the outbreak constitutes a public health emergency of international concern pheic this decision was taken on the basis of 150 confirmed cases outside china first case of person to person transmission in us is reported 6 cases in the us 3 cases in canada 2 in the ukthe who director general had the backing of the bill and melinda gates foundation big pharma and the world economic forum wef there are indications that the decision for the who to declare a global emergency was taken on the sidelines of the world economic forum wef in davos january 2124 overlapping with the geneva january 22 meeting of the emergency committeeboth whos director tedros as well as bill gates were present at davos 2020 bill gates announced the gates foundations 10 billion commitment to vaccines over the next 10 yearsjanuary 30 2020 the simulation exercise went live the same corporate interests and foundations which were involved in the october 18 john hopkins simulation exercise became real actors involved in providing their support to the implementation of the who public health emergency pheicjanuary 31 2020 one day later following the launch of who global emergency the trump administration announced that it will deny entry to foreign nationals who have traveled in china in the last 14 days this immediately triggers a crisis in air transportation chinaus trade as well as the tourism industry leading to substantial bankruptcies not to mention unemploymentimmediately triggers a campaign against ethnic chinese throughout the western worldearly february the acronym of the coronavirus was changed from ncov 2019 its name under the october event 201 john hopkins simulation exercise before it was identified in early january 2020 to covid19february 28 2020 a massive who vaccination campaign was announced by who director general dr tedros adhanom ghebreyesuswho was behind this campaign glaxosmithkline in partnership with the coalition for epidemic preparedness innovations cepi it is a gateswef partnership both of which were sponsors of the october 18 simulation exercise the campaign to develop vaccines was initiated prior to decision of the who to launch a global public health emergency it was first announced at the wef meeting at davos 2124 januarylate february 2020 collapse of the stock markets surge in the value of the stocks of big pharmaearly march devastating consequences for the tourist industry worldwidefebruary 24 moderna inc supported by cipi announced that it experimental mrna covid19 vaccine known as mrna1273 was ready for human testinglate february 2020 second wave of transmission of the virus worldwide to a large number of countrieslate february early march china more than 50 of the infected patients recover and are discharged from the hospitals march 3 a total of 49856 patients have recovered from covid19 and were discharged from hospitals in china what this means that the total number of confirmed infected cases in china is 30448 namely 80304 minus 49856 30448 80 304 is the total number on confirmed cases in china who data march 3 2020 these developments concerning recovery are not reported by the western mediamarch 5 who director general confirms that outside china there are 2055 cases reported in 33 countries around 80 of those cases continue to come from just three countries south korea iran italythese figures suggested that we are not facing a global health emergency that the probability of infection was low and based on chinas experience the treatment for the virus infection was effectivemarch 7 usa the number of confirmed cases infected and recovered in the united states in early march is of the order of 430 rising to about 6oo march 8 rapid rise in the course of marchcompare that to the figures pertaining to the influenza b virus the cdc estimates for 20192020 at least 15 million virus flu illnesses 140000 hospitalizations and 8200 deaths the hill early march imf and world bank to the rescuethe who director general advises member countries that the world bank and the international monetary fund have both made funds available to stabilize health systems and mitigate the economic consequences of the epidemic that is the proposed neoliberal solution to covid19 the world bank has committed 12billion in socalled aid which will contribute to building up the external debt of developing countriesmarch 7 china the pandemic is almost overreported new cases in china fall to double digit 99 cases recorded on march 7 all of the new cases outside hubei province are categorized as imported infectionsfrom foreign countries the reliability of the data remains to be established99 newly confirmed cases including 74 in hubei province the new cases included 24 imported infections 17 in gansu province three in beijing three in shanghai and one in guangdong province march 1011 2020 italy declares a lockdown followed by several other countries of the eu deployment of 30000 us troops in the eu as part of the defend europe 2020 war games directed against russiamarch 11 2020 the director general of the who officially declares the cov19 pandemic bear in mind the global health emergency was declared on january 3oth without stating officially the existence of a pandemic outside mainland chinamarch 11 trump orders the suspension for 30 days of all transatlantic flights from countries of the european union with the exception of britain coincides with the collapse of airline stocks and a new wave of financial instability devastating impacts on the tourist industry in western europemarch 16 moderna mrna1273 is tested in several stages with 45 volunteers in seattle washington state the vaccine program started in early februarywe dont know whether this vaccine will induce an immune response or whether it will be safe thats why were doing a trial jackson stressed its not at the stage where it would be possible or prudent to give it to the general population ap march 16 2020march 21 2020 secretary of state mike pompeo while addressing the american people from the white house stated that covid19 is a live military exercisethis is not about retribution this matter is going forward we are in a live exercise here to get this rightwith a disgusted look on his face president trump replied you should have let us knowapril 8 2020 mounting fear campaign led by western media very rapid increase in socalled confirmed cases 1282931 confirmed cases of covid19 including 72776 deaths reported to who april 8 mounting doubts on the reported confirmed cases of covid19 failures of the cdcs categorization and statistical estimatesmarch april planet lockdown devastating economic and social consequences the economic and social impacts far exceed those attributed to the coronavirus cited below are selected examples of a global process massive job losses and layoffs in the us with more than 10 million workers filing claims for unemployment benefitsin india a 21 days lockdown has triggered a wave of famine and despair affecting millions of homeless migrant workers all over the country no lockdown for the homeless too poor to afford a meal the impoverishment in latin america and subsaharan africa is beyond description for large sectors of the urban population household income has literally been wiped outin italy the destabilization of the tourist industry has resulted in bankruptcies and rising unemployment in many countries citizens are the object of police violence five people involved in protests against the lockdown were killed by police in kenya and south africa\nconcluding remarks we are dealing with a complex global crisis with farreaching economic social and geopolitical implicationswe have provided factual information as well as analysis in a summarized common sense formatis is important that covid19 be the object of widespread debate and that the official interpretations be forcefully challenged\n", + "https://www.globalresearch.ca/", + "FAKE", + 0.03383291545056253, + 2596 + ], + [ + "SPECIAL REPORT: Mike Adams joins Alex Jones to reveal how coronavirus is an engineered weapon to destroy the Western world", + "today i joined alex jones in the infowars studios to record a bombshell special report its entitled emergency report coronavirus is an engineered weapon for the global takedown of the western worldyou can watch it via this link at bannedvideo or see the video embed below also available soon via brighteoncomthe completely unscripted video is about one hour in duration and delves into the globalist origins of the engineered coronavirus and how open borders policies and malicious negligence by the cdc are converging to create millions of infections and deaths in america as part of a globalist plot to destroy trump and defeat americaalex opens the special report with a 19minute introduction that gives the big picture view of whats happening he then invites me on to explore issues likecoronavirus pandemic projections for americathe sxsw cancellation and why its part of a psyop to spread fear on top of the legitimate concerns over the virus spreadwhy president trump is making an enormous mistake in trusting cdc nih and fda advisorshow president trump could stop this virus in its tracks and save americathe china invasion scenario and why chinas military will be the first in the world thats immune to the coronavirushow hillary clinton becomes president after trump resigns under pressure following millions of deaths in america one possible scenario we pray doesnt happenhow trump can protect americas economy and prevent mass deaths by promoting antiviral herbs minerals and nutraceuticals that are available now and can substantially boost immune function across the population at largewhy big pharma is currently in control of washington dc and is exploiting this pandemic to rake in billions for the drug and vaccine industrieswhy globalist open borders policies were put in place before this biological weapon was released onto the world making sure infected migrants carry the virus into western europe and the usahow this pandemic achieves all the goals of the globalists depopulation gun control censorship martial law mandatory vaccines destroying americaending trump and much more its the ultimate combo weapon system to attack the western world and enslave humanity", + "http://www.banned.news", + "FAKE", + 0.11016483516483515, + 345 + ], + [ + "Consider vitamin C for acute respiratory distress syndrome from COVID-19, Medical Journal says", + "with weeks of social distancing now behind us many of us are finding it hard not to feel overwhelmed by daily covid19 updates as we enter april the total number of worldwide cases is over one million with nearly 60000 confirmed deaths with so much at risk doctors are increasingly looking to high dose vitamin c as a potential therapyof course the naysayers will claim that believing in vitamin c is a reckless pursuit or downplay its significance by saying its just a snake oil remedy but in reality vitamin c has a long list of health benefits not the least of which is fighting inflammation and reducing the risk of infections its no wonder a prestigious medical journal advises the use of this powerful antioxidant as a treatment of severe covid19 casesdoctors recommend high dose vitamin c as potential treatment for covid19 sufferers backed by decades of scientific research the use of vitamin c to treat and prevent respiratory infections is wellsupported by research including a 2004 systematic review from military medicine which found up to a 100 percent reduction in pneumonia within experimental groups receiving high dose vitamin c treatmentadditional studies have also shown that vitamin c ascorbic acid can block the sepsisinduced process which normally causes immunemediated inflammatory molecules to accumulate in the lungs and destroy lung function exactly what we see happening in people experiencing severe complications of the sarscov2 virusfor this reason a new commentary article published by the lancet respiratory medicine has included the use of high dose vitamin c as a rescue therapy for people with severe acute respiratory distress syndrome ards caused by covid19currently a team of researchers in china are recruiting people for a randomized controlled study of high dose vitamin c therapy in covid19 patients in their study description from clinicaltrialsgov they hypothesize that infusion with vitamin c will improve the prognosis of people suffering from the severe acute respiratory infection sari caused by the novel coronavirus for the reasons stated abovethe study which began on february 14 and is expected to conclude on september 30 later this year is officially called vitamin c infusion for the treatment of severe 2019ncov infected pneumonia a prospective randomized clinical trialdo you have insufficient levels of key vitamins and minerals know the signs and boost your health with these strategies\none of the main takehome points of many holistic healthcare practitioners and functional medicine doctors is that being clinically deficient in certain nutrients is problematic but even subclinically insufficient nutrient levels which by definition are typically missed by conventional blood tests can have a negative impact on your health toosigns of nutrient depletion even at subclinical levels can range from inconveniencing like hair loss and numbness in your fingers to lifealtering like chronic fatigue and increased frequency of colds and infectionsthats why its so important to do things that help you build a deep well of nutrients to draw from you may be surprised to know eating whole foods and taking high quality supplements arent the only things that can help with this although they certainly rank way up there in terms of lifestyle priorityno matter what is going on right now in the world or in your own health and home here are a few important things you can do to optimize your nutritional status and make sure your body has all the raw material in the form of vitamins minerals and antioxidants it needs to thrive and fight off illnessesmanage your stress excessive stress and the cascade of biological and neurochemical changes that comes with it can deplete your body of important nutrients like vitamin b6protect your gut health eating fiberrich foods like chickpeas can boost gut health which is essential for strengthening immunity and increasing the ability of your digestive system to actually absorb the nutrients from your food gut health is also boosted with the other suggestions on this list\nstop smoking nows as good a time as any to quit smoking since we know nicotine and other substances found in tobacco products can impair mineral and vitamin absorption looking for extra incentive early research indicates that people who smoke or use ecigarettes are significantly more likely to suffer severe complications of covid19 compared to nonsmokersstay physically active optimal health depends on good circulationdrink water no doubt good hydration with clean purified water is central to great healtheat organic food stay way from those nasty unwanted chemicals as much as possible which contribute to compromised immune functionand one final note just in case you do need serious medical attention always be sure you have access to a qualified experienced integrative healthcare provider that person could literally save your life", + "https://www.naturalhealth365.com/", + "FAKE", + 0.10152538572538573, + 780 + ], + [ + null, + "to all my wonderful people in liberia while you are under lockdown open your eyes please if you see anything like this being installed in your communities take a picture and post it online and engage the government this is how some of the 5g mastspolesatenaes look these things beam radiation that will make you sick and kill you in 3 to 6 months and the symptoms are just like the novel coronavirus but they do even more damage to the human body like respitory fatality heart deformed babes destruction of sperm teeth and much more the mainline media is heavily paid to disassociate 5g and coronavirus and many times shame anybody that does but it evil if our government put you indoors and letor telecom companies do things that bring harm religious leaders good politicians business people and the general public if you see these 5g masts you better get out of the house and talk and stop it there are other priorities that need attention not high technology that destroys", + "Facebook", + "FAKE", + 0.10191964285714285, + 172 + ], + [ + "SWEDEN PROVES THAT WHO HAS CARRIED OUT THE GREATEST FRAUD IN HISTORY", + "sweden stands as a testament that this has been the greatest scam of all time which has used a virus to achieve the very same goals as climate changeunder no conditions should president trump resume any support for who all health organizations that want to pretend to be unbiased governmental agencies must stop taking private donations that includes the cdc nih and the who any university that accepts donations from the gates foundation should be prohibited from providing any such studies whatsoever given that they have all been wrong concerning this staged viral plandemic a more realistic term for what they have done", + "fort-russ.com", + "FAKE", + 0.16666666666666669, + 103 + ], + [ + "VITAMIN C AND ITS APPLICATION TO THE TREATMENT OF nCoV CORONAVIRUS", + "how vitamin c reduces severity and deaths from serious viral respiratory diseases most deaths from coronavirus are caused by pneumonia vitamin c has been known for over 80 years to greatly benefit pneumonia patientsin 1936 gander and niederberger found that vitamin c lowered fever and reduced pain in pneumonia patientsalso in 1936 hochwald independently reported similar results he gave 500 mg of vitamin c every ninety minutesmccormick gave 1000 mg vitamin c intravenously followed by 500 mg orally every hour he repeated the injection at least once on the fourth day his patient felt so well that he voluntarily resumed work with no adverse effectsin 1944 slotkin and fletcher reported on the prophylactic and therapeutic value of vitamin c in bronchopneumonia lung abscess and purulent bronchitis vitamin c has greatly alleviated this condition and promptly restored normal pulmonary function slotkin further reported that vitamin c has been used routinely by the general surgeons in the millard fillmore hospital buffalo as a prophylactic against pneumonia with complete disappearance of this complicationaccording to the us centers for disease control there are about 80000 dead from annual influenzas escalating to pneumonia in the usa coronavirus is a very serious contagious disease but contagion to a virus largely depends on the susceptibility of the host it is well established that low vitamin c levels increase susceptibility to virusesvitamin c lowers mortality it is one thing to be sick from a virus and another thing entirely to die from a viralinstigated disease it must be emphasized that a mere 200 mg of vitamin cday resulted in an 80 decrease in deaths among severely ill hospitalized respiratory disease patientsa single cheap bigbox discount store vitamin c tablet will provide more than twice the amount used in the study aboveand yes with vitamin c more is betterfrederick r klenner and robert f cathcart successfully treated influenza and pneumonia with very high doses of vitamin c klenner published on his results beginning in the 1940s cathcart beginning in the 1970sthey used both oral and intravenous administrationvitamin c is effective in reducing duration of severe pneumonia in children less than five years of age oxygen saturation was improved in less than one day\na recent placebo controlled study concluded that vitamin c should be included in treatment protocol of children with pneumonia so that mortality and morbidity can be reduced in this study the majority of the children were infants under one year of age by body weight the modest 200 mg dose given to tiny babies would actually be the equivalent of 20003000 mgday for an adultalthough many will rightly maintain that the dose should be high even a low supplemental amount of vitamin c saves lives this is very important for those with low incomes and few treatment optionswere talking about twenty cents worth of vitamin c a day to save lives now", + "http://orthomolecular.org/", + "FAKE", + 0.08664111498257838, + 476 + ], + [ + "J.R. Nyquist interviewed by Mike Adams: Coronavirus, China, bioweapons and World War III", + "brace your psyche for this interview for jr nyquist lays out how the coronavirus is just the first wave of the planned communist destruction of america\nthe virus is the softening up attack and it will be followed by even more aggressive attacks that attempt to destroy america those attacks may include financial assaults military invasions nuclear weapons and a second wave of more aggressive biological weaponsjr nyquist is a remarkable historian and expert in geopolitics and the history of communism he understands how china and russia are both seeking to exterminate the united states of america so they can expand their own world domination plans to include north americathe coronavirus release was no accident and it wasnt some wild virus from bats its an engineered weapon that was designed and deployed to attack america destroy trump crash the us economy eviscerate the population and pave the way for a fullstrength assault on americaif your psyche can handle it listen to this interview it gets even more powerful in the last 15 minutes its roughly one hour in duration and a lot of the first half hour is about learning history so you can fully understand the geopolitical moves being made right now by china russia and the united statesjr nyquist is banned almost everywhere share this video and reupload to other platforms", + "https://www.naturalnews.com/", + "FAKE", + 0.16547619047619047, + 223 + ], + [ + "COVID-19 and the CIA’s Biological Warfare on Cuba", + "maybe it was a plan that went horribly wrong something they could no longer control was the corona virus or covid19 spread intentionally what if this virus was used against china as a weapon of choice to destabilize chinas economy and push back against chinas growing influence we dont know for sure but it is possible investigations are ongoing nothing has not been confirmedbut what has been confirmed is what history has taught us given the facts on how the use of biological warfare for various purposes against many peoples and nations has been happening for some time one of the most wellknown incidents of biological warfare occurred in 1763 the british empire had planned and successfully managed to spread smallpox virus to the native americans during the pontiac rebellion in pennsylvania chief pontiac of the ottawa launched an attack on fort detroit a british military base other nations joined the rebellion including the senecas the hurons delawares and miamis as the war raged an indian delegation asked the british to surrender but they refused however the british offered gifts including food alcohol and material items that included two blankets and a handkerchief from people who had smallpox although the american indians had experienced the disease in the past the idea was to spread the disease among the native american populations in an attempt to push back the rebellion or to defeat it once and for allanother example of biological warfare was when imperial japan before and during world war ii had a bioweapons program that managed to drop numerous bombs on a number of chinese cities from airplanes killing an estimated 580000 chinese people with bombs that were made of infected fleas some even contained cholera and shigella during the sinojapanese war between the 1930s and 1940sin 1981 the cia with help from us military had launched an operation against cuba by unleashing a strain of dengue fever also known as hemorrhagic fever effecting more than 273000 people killing 158 including 101 children on september 6 1981 the new york times reported on fidel castros comments regarding the us government in particularly blaming the cia for the outbreak when he said thatwe urge the united states government to define its policy in this field to say whether the cia will or will not be authorized again or has already been authorized to organize attacks against leaders of the revolution and to use plagues against our plants our animals and our peoplethe report said that theepidemic of dengue fever that has made 340000 people ill and has killed about 150 but the state department underthen president ronald reagan stated that mr castros charges of possible united states involvement in the epidemic were totally without foundation the state department quickly blamed the castros revolution as a failurethe geopolitical deployment of biological weaponsthe cuban government has always tried to blame the united states for its failures and its internal problems the department said the cuban revolution is a failure and it is obviously easier to blame external forces like the united states than to admit those failuresdr ronald st john chief of communicable diseases for the pan american health organization was interviewed by the new york times said that for the first time socalled dengue2 spread to cuba dr st john claimed that it is common in southeast asia and that it producesthe same symptoms as the other three and that if you get a wave of dengue1 dengue3 or dengue4 and then another wave of type 2 this is a bad combinationdengue2 causes you too loose body fluids causing shocks that can lead to eventually death convenient for the cia who saw it as an opportunity to cause panic on cuba which is located in one of the most hot and humid regions in the world however the new york times managed to downplay cubas accusations by ending the story by blaming the spread of the disease on returning cuban troops from africa and other people from other parts of the caribbean who might have brought dengue fever into cubasome state department officials believe the introduction of dengue2 into cuba is a result of the return to cuba of troops who had been stationed in angola or elsewhere in africa where the strain is found but dr st john said dengue2 had been found in other parts of the caribbean and might have been carried to cuba from there or elsewhere overseasreports suggested that cuba had a very small number of cases in 1944 and again in 1977 the 1981 outbreak was blamed on covert flyover operations conducted by the cia with military owned airplanes you know the same airplanes that were most probably used against nicaraguas sandinistas to transport weapons and other materials to the contras around the same timesince the 20th century the us has been the leader in developing various biological and chemical weapons through the us armys biological warfare laboratories based at fort detrick maryland since the late 1940s around the start of the cold warthe us biological warfare program that supposedly ended in 1969 developed a handful of biological weapons ready for use including anthrax qfever and botulism and conducted research in hopes of weaponizing diseases including smallpox hantavirus lassa fever yellow fever typhus dengue fever and the bird flu among theman article from august 6 2019 on fort detrick from the uks the independent titled research into deadly viruses and biological weapons at us army lab shut down over fears they could escape last august ironically secretary of state and neocon mike pompeo called it the wuhan virus since they blame china for the outbreak but it seems that the us had its own problems when it comes to their own labs who conduct research with the most deadly virusesamericas main biological warfare lab has been ordered to stop all research into the deadliest viruses and pathogens over fears contaminated waste could leak out of the facility fort detrick in maryland has been the epicentre of the us armys bioweapons research since the beginning of the cold war but last month the centers for disease control and prevention cdc the governments public health body stripped the base of its license to handle highly restricted select agents which includes ebola smallpox and anthrax the story was basically about the cdc who inspected fort detrick and found problems with new procedures used to decontaminate waste water the article says that fort detrick continued its research for defensive purposes to protect the warfighter from biological threats although the us declared that it abandoned their biological weapons program since 1969although the united states officially abandoned its biological weapons programme in 1969 fort detrick has continued defensive research into deadly pathogens on the list of select agents including the ebola virus the organisms that cause the plague and the highly toxic poison ricin the armys medical research institute of infectious diseases based at fort detrick says its primary mission today is to protect the warfighter from biological threats but its scientists also investigate outbreaks of disease among civilians and other threats to public health in recent years it has been involved in testing possible vaccines for ebola after several epidemics of the deadly virus in africasooner or later the truth will come out i believe that the us government knows how covid19 began and where it was going the us government and major corporate arms manufacturers and the rest of the militaryindustrial complex is no stranger to biological weapons adding to their arsenal of nuclear and chemical weapons at their disposal which makes them much more dangerous the truth about covid19 will eventually come out in the meantime as the covid19 pandemic continues a war against russia china iran or venezuela is in the works and a coming economic crisis with an election coming this november seems like 2020 will be the year of a perfect storm", + "https://www.globalresearch.ca", + "FAKE", + 0.014600766797736496, + 1317 + ], + [ + "Did Dr. Fauci Fund the Research That Led to Coronavirus Outbreak?", + "the blaring headline in newsweek dr fauci backed controversial wuhan lab with us dollars for risky coronavirus research did dr anthony fauci fund with american taxpayer dollars the research that produced the coronavirus that has shut down and locked up the mightiest and most free nation in history the answer is probably yes should he have known better the answer is indubitably yes dr fauci has been virtually worshiped as an icon by the press and the public has been played by brad pitt on saturday night live and is being considered for sexiest man of the year according to newsweek he is something of an american folk hero for his calm steady leadership during the crisis just last year dr fauci who heads up the national institute for allergy and infectious diseases nih sent the scientists at the wuhan institute of virology a boatload of money to pursue gainoffunction research on bat viruses research which has been going on at wuhan for years gainoffunction refers to research that involves manipulating viruses in the lab to explore their potential for infecting humans emphasis mine throughout writes newsweek gainoffunction techniques have been used to turn viruses into human pathogens capable of causing a global pandemic the catastrophic risks should one of these manipulated viruses escape containment are obvious the us embassy warned in january of 2018 that the wuhan institute had a record of shoddy practices that could lead to an accidental release according to its cable the new lab has a serious shortage of appropriately trained technicians and investigators needed to safely operate this highcontainment laboratory the obama administration was so alarmed by worries about an outbreak that they suspended support for this kind of research at wuhan in 2014 but when trump took office fauci was able to persuade him that it was safe and the project resumed in 2017 the second tranche of multimillion dollar funding came in 2019 and this stash was particularly devoted to understanding how bat coronaviruses could mutate to attack humans the national institutes of health canceled this project for a second time on april 24 just two weeks ago dr fauci has not responded to newsweeks request for comment richard ebright an infectious disease expert at rutgers university said the project description refers to experiments that are designed to enhance the ability of bat coronavirus to infect human cells through genetic engineering the risk of causing a pandemic through an accidental release from the lab is obviously a prime concern our intelligence agencies now believe the pandemic outbreak may have emerged accidentally due to unsafe laboratory practices at the wuhan lab \nthis research at wiv research funded with our tax dollars was dedicated to deliberately creating a version of a bat virus that could be transmitted to humans the insane purpose here was ostensibly to develop such a virus so it could be studied and a therapeutic response developed before it caused a worldwide pandemic this kind of research is so obviously crazy and dangerous that 200 research scientists wrote a letter pleading that such foolish and potentially lethal research be terminated but the nih under the direction of dr fauci sent 37 million to the wiv lab in 2014 and then showered the chinese scientists at this lab with another 37 million in 2019 to keep their work going the work of developing a bat virus that could attack people two backtoback 5year projects that took 74 million out of taxpayer pockets and out of the united states when the nih ended obamas moratorium on this research and the second phase of research began nih established a framework to determine how the research would go forward the heart of the framework was that scientists would have to get approval from a panel of experts who would decide whether the obvious risks were justified the kicker here is that these reviews were conducted in secret after science magazine discovered that nih had approved two influenza projects using gainoffunction methods scientists rightly opposed to this kind of research wrote a scathing editorial in the washington post the authors were tom inglesby of johns hopkins and mark liptsitch of harvard we have serious doubts about whether these experiments should be conducted at all with deliberations kept behind closed doors none of us will have the opportunity to understand how the government arrived at these decisions or to judge the rigor and integrity of that process dr fauci began working in earnest on gainoffunction research over a decade ago in connection with birdflu viruses the research involved taking wild viruses and passing them through live animals until they mutated into a form that could actually pose a pandemic threat these researchers would take a virus that was poorly transmitted among humans and turn it into one that was highly transmissible ferrets were the animals of choice ferrets were deliberately infected and researchers allowed the virus to mutate in the labs ferret colony the mutations continued until the virus was able to infect a ferret that had not been deliberately infected with the disease researcher ron fouchier of erasmus university in holland knew he had succeeded when a virus jumped from an infected ferret to an uninfected ferret in an adjacent cage who had had no contact with the infected animal transmissibility had been achieved and fouchier had created a pandemiccausing virus in his lab fouchiers work wrote harvard epidemiologist marc lipsitch in the journal nature in 2015 entails a unique risk that a laboratory accident could spark a pandemic killing millions a consortium of 17 scientists the cambridge working group issued a statement of protest that was eventually endorsed by 200 scientists mentioned above because well accidents happen heres how the statement read in part laboratory creation of highly transmissible novel strains of dangerous virusesposes substantially increased risks an accidental infection in such a setting could trigger outbreaks that would be difficult or impossible to control fauci defended this kind of research in a 2011 oped in the washington post writing that information gained through biomedical researchprovides a critical foundationfor generating countermeasures and ultimately protecting the public health bottom line it appears that dangerously misguided research in wuhan funded by us taxpayer dollars under the direction of dr fauci created the virus that is now plaguing the world the research was allowed to continue by dr fauci despite warnings from 200 prominent scientists that such research was exceedingly dangerous it may be time to ask whether dr fauci is in the right place at the right time", + "https://afa.net/", + "FAKE", + 0.03329696179011247, + 1091 + ], + [ + "BioWeapons Expert Says Coronavirus Is Biological Warfare Weapon", + "technocrat scientists around the world are using crispr technology in topsecret labs to develop doomsdaytype biological warfare weapons the wuhan institute of virology is such a center and the most likely source of the coronavirus outbreaktn does not endorse either greatgameindia or dr francis boyle but the globalist censorship is notable and significant for instance the globalist publication foreign policy strongly refuted the conspiracy theory on january 29 with the headline the wuhan virus is not a labmade bioweapon and attacked greatgameindia and zerohedge in particular zerohedge has been permanently banned from twitter in an explosive interview dr francis boyle who drafted the biological weapons act has given a detailed statement admitting that the 2019 wuhan coronavirus is an offensive biological warfare weapon and that the world health organization who already knows about itfrancis boyle is a professor of international law at the university of illinois college of law he drafted the us domestic implementing legislation for the biological weapons convention known as the biological weapons antiterrorism act of 1989 that was approved unanimously by both houses of the us congress and signed into law by president george hw bushin an exclusive interview given to geopolitics and empire dr boyle discusses the coronavirus outbreak in wuhan china and the biosafety level 4 laboratory bsl4 from which he believes the infectious disease escaped he believes the virus is potentially lethal and an offensive biological warfare weapon or dualuse biowarfare weapons agent genetically modified with gain of function properties which is why the chinese government originally tried to cover it up and is now taking drastic measures to contain it the wuhan bsl4 lab is also a specially designated world health organization who research lab and dr boyle contends that the who knows full well what is occurringdr boyle also touches upon greatgameindias exclusive report coronavirus bioweapon where we reported in detail how chinese biowarfare agents working at the canadian lab in winnipeg were involved in the smuggling of coronavirus to wuhans lab from where it is believed to have been leakeddr boyles position is in stark contrast to the mainstream medias narrative of the virus being originated from the seafood market which is increasingly being questioned by many experts\nrecently american senator tom cotton of arkansas also dismantled the mainstream medias claim on thursday that pinned the coronavirus outbreak on a market selling dead and live animalsin a video accompanying his post cotton explained that the wuhan wet market which cotton incorrectly referred to as a seafood market has been shown by experts to not be the source of the deadly contagioncotton referenced a lancet study which showed that many of the first cases of the novel coronavirus including patient zero had no connection to the wet market devastatingly undermining mainstream medias claimas one epidemiologist said that virus went into the seafood market before it came out of the seafood market we still dont know where it originated cotton saidi would note that wuhan also has chinas only biosafety level four super laboratory that works with the worlds most deadly pathogens to include yes coronavirussuch concerns have also been raised by jr nyquist the well known author of the books origins of the fourth world war and the fool and his enemy as well as coauthor of the new tactics of global war in his insightful article he published secret speechs given to highlevel communist party cadres by chinese defense minister gen chi haotian explaining a longrange plan for ensuring a chinese national renaissance the catalyst for which would be chinas secret plan to weaponiz virusesnyquist gave three different data points for making his case in analyzing coronavirus he writesthe third data point worth considering the journal greatgameindia has published a piece titled coronavirus bioweapon how china stole coronavirus from canada and weaponized it", + "https://www.technocracy.news/", + "FAKE", + 0.07181868519077819, + 633 + ], + [ + null, + "after the coronavirus the only way to prevent italy from leaving the eu will be to buy it is germany ready to pump tens of billions possibly trillions into this if germany starts saving the eu too enthusiastically social pressures within the country will lead to the regime change\n\nthere is no sense for germany to remain in the eu as well it is only beneficial for poor countries if italy receives a lot of money from the eu then it is worth for it to stay it but is it worth for germany to drag italy on its shoulders", + "Evrozona", + "FAKE", + 0.03703703703703703, + 100 + ], + [ + "Should “death science” operatives like Dr. Fauci face the DEATH SENTENCE if found guilty of collaborating to build the Wuhan coronavirus bioweapon?", + "over the last month or so it has become increasingly obvious to pandemic observers that death science operators like dr fauci have been deeply involved in funding the development of bioengineering research that led to the creation and release of the wuhan coronavirus which has now killed at least a quarter of a million people worldwideeven newsweek a globalist publication that usually defends depopulation advocates is now pointing out the ties between dr fauci and the biological engineering industry that gives rise to bioweapons designed to exterminate humanity just last year the national institute for allergy and infectious diseases the organization led by dr fauci funded scientists at the wuhan institute of virology and other institutions for work on gainoffunction research on bat coronaviruses reports newsweekcom adding emphasis added in 2019 with the backing of niaid the national institutes of health committed 37 million over six years for research that included some gainoffunction work the program followed another 37 million 5year project for collecting and studying bat coronaviruses which ended in 2019 bringing the total to 74 millionmany scientists have criticized gain of function research which involves manipulating viruses in the lab to explore their potential for infecting humans because it creates a risk of starting a pandemic from accidental release\ndr fauci in other words helped funnel money into a program that the scientists knew was working to develop gainoffunction properties that could result in a global pandemic they even collaborated with communist china to conduct the research even though china is an enemy of humanity and has a long history of accidental releases of level4 biohazard specimensengineering a weapon system to specifically attack human physiology\npart of the research dr fauci funded was specifically looking for ways to make bat coronavirus strains attack humans as newsweek explainsa second phase of the project beginning that year included additional surveillance work but also gainoffunction research for the purpose of understanding how bat coronaviruses could mutate to attack humans the project was run by ecohealth alliance a nonprofit research group under the direction of president peter daszak an expert on disease ecology nih canceled the project just this past friday april 24th politico reportedthe proposal of that project specifically details how they planned to built a biological weapon that could devastate humankindthe project proposal states we will use s protein sequence data infectious clone technology in vitro and in vivo infection experiments and analysis of receptor binding to test the hypothesis that divergence thresholds in s protein sequences predict spillover potential\nin laymans terms spillover potential refers to the ability of a virus to jump from animals to humans which requires that the virus be able to attach to receptors in the cells of humansin other words this is the use of genetic engineering technology to build biological weapons that are designed and intended to exterminate human lifehundreds of scientists called for a halt to the dangerous research but dr fauci made sure the grant money kept flowing\nas newsweek further explainsaccording to richard ebright an infectious disease expert at rutgers university the project description refers to experiments that would enhance the ability of bat coronavirus to infect human cells and laboratory animals using techniques of genetic engineering in the wake of the pandemic that is a noteworthy detailebright along with many other scientists has been a vocal opponent of gainoffunction research because of the risk it presents of creating a pandemic through accidental release from a labthe work entailed risks that worried even seasoned researchers more than 200 scientists called for the work to be halted the problem they said is that it increased the likelihood that a pandemic would occur through a laboratory accident dr fauci defended the workdr fauci it turns out has been a key cheerleader for this death science research for decades he has also been credibly accused by dr judy mikovitz and other virologists of stealing intellectual property and stifling whistleblowers who sought to expose the truth about nihfunded research and how it threatens humanity hundreds of other scientists have publicly and repeatedly blasted dr fauci and the nih for their work in building weapons against humanity again from newsweekin early 2019 after a reporter for science magazine discovered that the nih had approved two influenza research projects that used gain of function methods scientists who oppose this kind of research excoriated the nih in an editorial in the washington postwe have serious doubts about whether these experiments should be conducted at all wrote tom inglesby of johns hopkins university and marc lipsitch of harvardat what point do we invoke the death sentence for those found guilty of building devastating weapons of mass destruction that kill the innocent\nprof francis boyle has long called for the death sentence for scientists who are found guilty of engaging in research intended to build biological weapons that target human beings that appears to be precisely what dr fauci has done over a career spanning decades it begs the obvious question should dr fauci be criminally investigated and prosecuted for carrying out crimes against humanity and if found guilty should he face the death penalty should other scientists who knowingly collaborated on this project share the same fateright now without exception every scientist tied to the wuhan virology institute and its gainoffunction research claims the wuhan coronavirus couldnt possibly have come from a lab they are lying to the world falsely claiming the insertion of gene sequences into the virus are the result of natural zoological mutations in the wild the reason theyre lying of course is because they know they are guilty of building a weapon that has already killed a quarter of a million innocent people and they correctly fear that if the truth gets out they may face criminal prosecutions themselvesour society sentences murderers to death after theyve killed a single person what should be the consequences dealt out to those who conspired to build deadly biological weapons that indiscriminately killed hundreds of thousands of peopleis an nih mass murderer running the white house response to the coronavirusfrustratingly mr death science dr fauci himself appears to be in charge of the white house response to the pandemic trump appears to have been mesmerized by dr faucis vaccine promises and dr fauci is being celebrated by the liberal media as a hero for humanity rather than the death science doctor he more accurately represents the leftwing media also celebrates communism mao castro and stalin by the way so dr fauci seems to be in good company when it comes to genocide and mass murderis trump throwing in with the death science industry and the nih so far it appears trump lacks the scientific knowledge to even recognize when hes being manipulated by death science operators like fauci and with trump now pushing for 300 million doses of an obviously experimental untested coronavirus vaccine before the end of this year it almost seems as if dr fauci is setting up trump to take the fall for a vaccine public health catastrophe that ends in mass fatalities and the end of the trump administration after millions of americans die from either the coronavirus or the vaccine itself or a combination where the vaccine causes an enhanced immune response to subsequent infections killing millionsit also raises the obvious question if society feels justified in ending the life of a murderer who is found guilty of killing one person what should be the punishment for those who use science to build murderous weapons that kill hundreds of thousands or millions of peopleeven more alarmingly this death science research continues to be conducted right now via the nih and dr fauci himself what sort of dangerous weapon of mass suffering and death will they concoct after another year or two of taxpayerfunded research when will any of the nih funding activities of the bioweapons industry be independently audited at what point are scientists who build deadly bioweapons to be held accountable when their nanotechnology escapes into the wild and devastates human civilization\nwatch this video from peak prosperity for a more detailed analysis of the fauci death science industry and its war on humanityshould death science operatives like dr fauci face the death sentence if found guilty of collaborating to build the wuhan coronavirus bioweaponantihuman badhealth badmedicine badscience biological weapons bioweapons bsl4 coronavirus covid19 death science deaths demonic depopulation dr fauci fatalities gene editing genetic engineering genetic lunacy labs war on humanity wuhan\n21k should death science operatives like dr fauci face the death sentence if found guilty of collaborating to build the wuhan coronavirus bioweapon\nnatural news over the last month or so it has become increasingly obvious to pandemic observers that death science operators like dr fauci have been deeply involved in funding the development of bioengineering research that led to the creation and release of the wuhan coronavirus which has now killed at least a quarter of a million people worldwideeven newsweek a globalist publication that usually defends depopulation advocates is now pointing out the ties between dr fauci and the biological engineering industry that gives rise to bioweapons designed to exterminate humanity just last year the national institute for allergy and infectious diseases the organization led by dr fauci funded scientists at the wuhan institute of virology and other institutions for work on gainoffunction research on bat coronaviruses reports newsweekcom addingin 2019 with the backing of niaid the national institutes of health committed 37 million over six years for research that included some gainoffunction work the program followed another 37 million 5year project for collecting and studying bat coronaviruses which ended in 2019 bringing the total to 74 million\nmany scientists have criticized gain of function research which involves manipulating viruses in the lab to explore their potential for infecting humans because it creates a risk of starting a pandemic from accidental releasedr fauci in other words helped funnel money into a program that the scientists knew was working to develop gainoffunction properties that could result in a global pandemic they even collaborated with communist china to conduct the research even though china is an enemy of humanity and has a long history of accidental releases of level4 biohazard specimensengineering a weapon system to specifically attack human physiologypart of the research dr fauci funded was specifically looking for ways to make bat coronavirus strains attack humans as newsweek explainsa second phase of the project beginning that year included additional surveillance work but also gainoffunction research for the purpose of understanding how bat coronaviruses could mutate to attack humans the project was run by ecohealth alliance a nonprofit research group under the direction of president peter daszak an expert on disease ecology nih canceled the project just this past friday april 24th politico reportedthe proposal of that project specifically details how they planned to built a biological weapon that could devastate humankindthe project proposal states we will use s protein sequence data infectious clone technology in vitro and in vivo infection experiments and analysis of receptor binding to test the hypothesis that divergence thresholds in s protein sequences predict spillover potentialin laymans terms spillover potential refers to the ability of a virus to jump from animals to humans which requires that the virus be able to attach to receptors in the cells of humansin other words this is the use of genetic engineering technology to build biological weapons that are designed and intended to exterminate human lifehundreds of scientists called for a halt to the dangerous research but dr fauci made sure the grant money kept flowing as newsweek further explainsaccording to richard ebright an infectious disease expert at rutgers university the project description refers to experiments that would enhance the ability of bat coronavirus to infect human cells and laboratory animals using techniques of genetic engineering in the wake of the pandemic that is a noteworthy detail\nebright along with many other scientists has been a vocal opponent of gainoffunction research because of the risk it presents of creating a pandemic through accidental release from a labthe work entailed risks that worried even seasoned researchers more than 200 scientists called for the work to be halted the problem they said is that it increased the likelihood that a pandemic would occur through a laboratory accident dr fauci defended the workdr fauci it turns out has been a key cheerleader for this death science research for decades he has also been credibly accused by dr judy mikovitz and other virologists of stealing intellectual property and stifling whistleblowers who sought to expose the truth about nihfunded research and how it threatens humanity hundreds of other scientists have publicly and repeatedly blasted dr fauci and the nih for their work in building weapons against humanity again from newsweekin early 2019 after a reporter for science magazine discovered that the nih had approved two influenza research projects that used gain of function methods scientists who oppose this kind of research excoriated the nih in an editorial in the washington postwe have serious doubts about whether these experiments should be conducted at all wrote tom inglesby of johns hopkins university and marc lipsitch of harvardat what point do we invoke the death sentence for those found guilty of building devastating weapons of mass destruction that kill the innocent\nprof francis boyle has long called for the death sentence for scientists who are found guilty of engaging in research intended to build biological weapons that target human beings that appears to be precisely what dr fauci has done over a career spanning decades it begs the obvious question should dr fauci be criminally investigated and prosecuted for carrying out crimes against humanity and if found guilty should he face the death penalty should other scientists who knowingly collaborated on this project share the same fateright now without exception every scientist tied to the wuhan virology institute and its gainoffunction research claims the wuhan coronavirus couldnt possibly have come from a lab they are lying to the world falsely claiming the insertion of gene sequences into the virus are the result of natural zoological mutations in the wild the reason theyre lying of course is because they know they are guilty of building a weapon that has already killed a quarter of a million innocent people and they correctly fear that if the truth gets out they may face criminal prosecutions themselvesour society sentences murderers to death after theyve killed a single person what should be the consequences dealt out to those who conspired to build deadly biological weapons that indiscriminately killed hundreds of thousands of peopleis an nih mass murderer running the white house response to the coronavirusfrustratingly mr death science dr fauci himself appears to be in charge of the white house response to the pandemic trump appears to have been mesmerized by dr faucis vaccine promises and dr fauci is being celebrated by the liberal media as a hero for humanity rather than the death science doctor he more accurately represents the leftwing media also celebrates communism mao castro and stalin by the way so dr fauci seems to be in good company when it comes to genocide and mass murderis trump throwing in with the death science industry and the nih so far it appears trump lacks the scientific knowledge to even recognize when hes being manipulated by death science operators like fauci and with trump now pushing for 300 million doses of an obviously experimental untested coronavirus vaccine before the end of this year it almost seems as if dr fauci is setting up trump to take the fall for a vaccine public health catastrophe that ends in mass fatalities and the end of the trump administration after millions of americans die from either the coronavirus or the vaccine itself or a combination where the vaccine causes an enhanced immune response to subsequent infections killing millionsit also raises the obvious question if society feels justified in ending the life of a murderer who is found guilty of killing one person what should be the punishment for those who use science to build murderous weapons that kill hundreds of thousands or millions of peopleeven more alarmingly this death science research continues to be conducted right now via the nih and dr fauci himself what sort of dangerous weapon of mass suffering and death will they concoct after another year or two of taxpayerfunded research when will any of the nih funding activities of the bioweapons industry be independently audited at what point are scientists who build deadly bioweapons to be held accountable when their nanotechnology escapes into the wild and devastates human civilizationwatch this video from peak prosperity for a more detailed analysis of the fauci death science industry and its war on humanityweapons of mass destruction built by the pharmaceutical cartels that profit from pandemicsif such research is ever to be conducted again shouldnt it be limited to an orbiting space stations thats tied to a detonation switch so that the rest of us on earth could blow up all the orbiting scientists if they screw up and suffer a lab accident id rather see a dozen bioweapons scientists burn up in the atmosphere than see another round of coronavirus devastate human society and crush our global economyby the way what are dr faucis ties to vaccine manufacturers and pharma drug cartels isnt he acting out of a conflicted desire to protect his own financial interests rather than prioritize whats best for public health it seems to me that dr fauci has all the characteristics of a super villain like the penguin from the batman series or possibly doctor octopus from the marvel universe hes desperately to achieve a celebritylike public image while secretly plotting to build weapons to exterminate human beings all while siphoning money from the public to fund his demonic antihuman researchit almost sounds like a comic book villain except its real and this guy is practically i think its time that we all demanded a criminal investigation and possible prosecution of dr fauci and all the other death science pushers who were complicit in the funding of the gainoffunction coronavirus research in the wuhan labthese people belong behind bars they are enemies of humanity and criminals whose heinous crimes span the entirety of human history what dr fauci has done to humanity ranks with the mass murders carried out by stalin mao and even the third reich and we will be lucky indeed if the number of coronavirus fatalities around the world somehow manages to stay under six million by the time this deadly bioengineered weapon has run its coursedr fauci you have blood on your hands the real question is will the american people demand he be held accountable or will they stupidly declare him a hero for pushing vaccines that he claims will treat the very same weapon system that he helped fund and build in the first placeits time for america to rise up against the death science industry and demand arrests and prosecutions of all those scientists who took part in building this weapon system against humanity by building weapons that are deliberately designed to kill and maim innocent human beings they have forfeited their right to exist in our society", + "https://www.naturalnews.com/", + "FAKE", + 0.0017189586114819736, + 3209 + ], + [ + "Murder Most Foul: The Perps Behind COVID-19", + "i am not saying that china deliberately released this shooting itself in the foot but it was clear they were developing an extremely dangerous unknown biological weapon that had never been seen before and it leaked out of the lab i personally believe that until our political leaders come clean with the american people both at the white house and in congress and our state government and publicly admit that this is an extremely dangerous offensive biological warfare weapon that we are dealing with i do not see that we will be able to confront it and to stop it let alone defeat it dr francis boyle international bioweapons expert april 15 2020according to johns hopkins university as of today covid19 has infected more than 3 million people and killed at least 210000 worldwidethose are big numbers considering the fact that six short months ago few members of the general public had ever heard of the coronavirus and almost no one was harboring fears of a looming and deadly global pandemicbut here we are as our new reality sinks in as we adjust to lockdowns and home schooling and long lines at grocery stores as we look for ways to protect ourselves and our familiesand as some grieve for lost loved onesmost of us are also seeking answerswhy does this virus cause so many mysterious symptoms why are some cases mild others deadly how can we protect ourselves whose advice should we followbut the biggest questions of all are these where did covid19 come from and how can we prevent this from ever happening againthe answers to these questions may be too disturbing to ponder especially while were still grappling with the impact of the virus on nearly every aspect of our livesbut our failure to investigate and directly address the origins of covid19 almost certainly guarantees our failure to protect ourselves from future possibly even more deadly pandemicsscience most foulthousands of dangerous viruses and other pathogens such as the bat coronavirus and the avian flu are being collected in the wild by chinese us and international researchers these viruses are then analyzed and weaponized ie genetically engineered manipulated recombined in secretive accidentprone labs like the wuhan virology lab in china or the us army lab in fort detrick marylandcoronaviruses typically have a narrow host range infecting one or just a few species such as bats however using targeted rna recombination gene engineers can manipulate viruses such as covid19 for gain of function to enable them to infect other species ie human cells interfere with immune system response and readily spread through the aira growing arsenal of synthetic viruses have been labengineered despite us and international laws banning biowarfare weapons and experimentation a disturbing number of these socalled dual use biowarfarebiodefense labs have experienced leaks accidents and thefts over the past three decades\nas the wellrespected bulletin of the atomic scientists recently warned a safety breach at a chinese center for disease control and prevention lab is believed to have caused four suspected sars cases including one death in beijing in 2004 a similar accident caused 65 lab workers of lanzhou veterinary research institute to be infected with brucellosis in december 2019 in january 2020 a renowned chinese scientist li ning was sentenced to 12 years in prison for selling experimental animals to local marketschina is hardly the only place to experience such accidents a usa today investigation in 2016 for instance revealed an incident involving cascading equipment failures in a decontamination chamber as us centers for disease control and prevention cdc researchers tried to leave a biosafety level 4 lab the lab likely stored samples of the viruses causing ebola and smallpox according to the reportin 2014 the cdc revealed that staff had accidently sent live anthrax between laboratories exposing 84 workers in an investigation officials found other mishaps that had occurred in the preceding decadein 2019 the us army fort detrick maryland biological weapons lab was temporarily shut down for improper disposal of dangerous pathogens according to a new york times report officials refused to provide details about the pathogens or the leak citing national security concernsas sam husseini recently reported in salon magazine biowarfare engineers in labs such as wuhan or fort detrick are deliberately and recklessly evading international lawgovernments that participate in such biological weapon research generally distinguish between biowarfare and biodefense as if to paint such defense programs as necessary but this is rhetorical sleightofhand the two concepts are largely indistinguishable biodefense implies tacit biowarfare breeding more dangerous pathogens for the alleged purpose of finding a way to fight them while this work appears to have succeeded in creating deadly and infectious agents including deadlier flu strains such defense research is impotent in its ability to defend us from this pandemicactivist critics of genetic engineering and biological warfare experiments including myself dr mercola and gm watch joined now by independent voices in the mass media are reporting albeit in some cases reluctantly that mounting evidence indicates that the deadly covid19 virus may have accidentally leaked out of one of the supposedly highsecurity biowarfare labs the wuhan institute of virology and the chinese center for disease control that were analyzing and manipulating bat coronaviruses in wuhan chinain order to conceal their scientific malpractice and criminal negligence to protect their right to carry out dangerous unregulated research and to safeguard billions of dollars in annual biopharm and gmo industry profits monsantobayer among others is now conducting its own biowarfare research chinese and us officials big pharma facebook google and an arrogant and unscrupulous network of global scientists are frantically trying to cover up the lab origins and diabolical machinations of the covid19 pandemica widelycited paper published in the journal nature on february 3 2020 claims to establish that sarscov2 is a coronavirus of bat origin that naturally jumped the species barrier between bats and humans and was not synthetically constructed in a lab however as mercolacom reports one of the chinese authors of this article dr shi zhengli from the wuhan virology lab actually worked previously on weaponizing the sars virus the progenitor of covid19 and has published peerreviewed articles on the procedures involved in this genetic manipulationanother oftcited but problematic article in nature medicine march 17 2020 coauthored by a bioentrepreneur industry scientist has been repeatedly cited by the mass media as offering proof that the covid19 virus arose naturally as opposed to being labderivedbut recent critiques offered by independent scientists including the londonbased molecular geneticist dr michael antoniou a longtime critic of genetic engineering argue convincingly that the computermodeling proof cited by nature medicine offers no proof at all as gm watch reportsdr antoniou told us that while the authors of the march 17 nature medicine article did indeed show that sarscov2 was unlikely to have been built by deliberate genetic engineering from a previously used virus backbone thats not the only way of constructing a virus there is another method by which an enhancedinfectivity virus can be engineered in the lab antoniou told gm watch that this method called directed iterative evolutionary selection process involves using genetic engineering to generate a large number of randomly mutated versions of the sarscov spike protein receptor and then to select those protein receptors most effective at infecting human cells\nas antoniou points out the inventors of this technique received the nobel prize for chemistry in 2018 a fact the authors of the nature medicine article surely knew did the authors of the nature medicine article deliberately leave this more plausible hypothesis out in order to bolster their questionable thesis that covid19 arose naturallyeven though biowarfare labs in wuhan were engineering bat viruses years before the fatal outbreakif lab technicians in the wuhan lab did use the directed iterative evolutionary selection process to engineer a gain of function weaponized bat coronavirus and the virus subsequently leaked infected one or more lab technicians then spread to people outside the lab including people from the wuhan seafood market there would be no trace of the virus having been genetically engineered or manipulatedpeerreviewed published articles going back more than a decade indicate that researchers at the wuhan labs dr shi zhengli and others have been carrying out experiments to manipulate and weaponize deadly bat coronavirus so that they can readily infect human cells in a 2008 article in the journal of virology zengli and other scientists report on how they have genetically engineered sarslike viruses from horseshoe bats to enable the viruses to gain entry into human cells\nthe powers that be in beijing and washington like to reassure us that researchers in places like the wuhan virology lab the wuhan center for disease control or the us army biological weapons lab at fort detrick maryland are only studying not manipulating or weaponizing dangerous pathogens like bat coronaviruses and that security in these governmentwhonihmonitored labs is so strict that accidents could never happenbut a number of wellrespected scientific critics of genetic engineering and biological warfare have been sounding the alarm for decadescritics including francis boyle author of the 1989 us bioterrorism law banning bioweapons research and dr richard ebright of rutgers universitys waksman institute of microbiology have warned that experiments and manipulations of viruses and pathogens are inherently extremely dangerous not to mention that they violate international law given human error and the fact that security has been dangerously lax in the worlds biowarfarebiodefense laboratories\nalmost too incredible to believe funding for the reckless germ war experiments in wuhan have included more than 3 million from dr anthony faucis national institute of allergy and infectious diseases niaid a division of the us national institutes of health nih with apparent collaboration according to boyle from scientists at the universities of north carolina wisconsin harvard and other institutionsin 2014 the obama white house office of science and technology policy put a hold or funding pause on gain of function experimentation on dangerous viruses in us labs due to biosafety and biosecurity risksyet experimentation apparently continued uninterrupted with us funding in china at the wuhan lab then in 2017 the trump administration reversed this funding pause essentially allowing illegal germ warfare research to continuelongtime antigmo activists at gm watch in the uk recently published an article entitled covid19 could be a wakeup call for biosafety the article explains how below the public radar secretive and reckless research on genetically engineering and weaponizing coronaviruses has been going on for decadesstuart newman professor of cell biology and anatomy at new york medical college in valhalla new york editorinchief of the journal biological theory and coauthor of biotech juggernaut adds crucial historical context that shows exploring whether covid19 could have been genetically engineered should not be dismissed as a subject fit only for conspiracy theoristsnewman points out that the genetic engineering of coronaviruses has been going on for a long time according to newman even most biologists are not aware that virologists have been experimentally recombining and genetically modifying coronaviruses for more than a decade to study their mechanisms of pathogenicity indeed newman points to papers on engineering coronaviruses that go back a full 20 years dr peter breggin points out that in 2015 researchers from the us and chinas wuhan institute of virology collaborated to transform an animal coronavirus into one that can attack humans breggins provocative essay includes a direct link to the original study which was published in the british journal naturerecent investigative reporting including an explosive april 14 washington post article by josh rogin followed by more muted coverage by cbs news cnn the wall street journal newsweek and others have alerted millions of people to the fact that the official chinesebig pharmawhonih bat in the market story about the origins of covid19 may no longer be credibleas rogins article points out officials from the us embassy in beijing visited the wuhan institute of virology numerous times in early 2018 and tried to warn the trump administration that there were serious safety violations in the labs handling of bat coronaviruses the officials were especially concerned that inadequately trained staff and lax security procedures at the lab jointly funded by the chinese and us posed a serious risk of unleashing a new sarslike pandemic\nin fact in 2004 foreshadowing the current disaster there were two serious accidents at the highsecurity beijing virology lab infecting two researchers with the dangerous sars virusebright who has been speaking out on lab safety since the early 2000s said this about the dangerous security procedures at the wuhan labsbat coronaviruses at wuhan center for disease control and wuhan institute of virology routinely were collected and studied at bsl2 biosecurity level 2 which provides only minimal protections against infection of lab workers virus collection culture isolation or animal infection at bsl2 with a virus having the transmission characteristics of the outbreak virus would pose substantial risk of infection of a lab worker and from the lab worker the publicpolitics most foulthe trump administration did nothing about the repeated warnings from the us embassy in beijing in 2018 concerning the dangerous practices at the at the wuhan lab nor scientists at the nih and the world health organization who who were supposedly monitoring the labs coronavirus experiments after the outbreak happened the chinese communist party ccp silenced or disappeared scientists and journalists who had earlier published research or news articles indicating that the covid19 virus leaked from a government lab and infected researchers\n\nas the canadian journalist andrew nikiforuk wrote\n\nfaced with the coronavirus threat chinese authorities according to comprehensive reports by the wall street journal and the new york times suppressed whistleblowers ignored critical evidence and responded so tardily to the outbreak that they moved to compensate for their failures with a draconian lockdown \nfrantically covering their tracks the ccp removed every scientific article and news report from the internet and public record which contradicted their official story aiding and abetting the ccpbiopharm coverup were the gatekeepers at facebook now heavily invested in big pharma who censored and removed an article by steve mosher published by the ny post on feb 22 which called the official story into question facebook finally unblocked the ny post article after it was revealed that facebooks objective fact checker danielle e anderson was in fact previously a paid researcher at the same wuhan lab whose lax security so alarmed state department officialstrying hard to cover up the fact that they ignored the repeated warnings of the state department and intelligence officials the trump administration and the entire us biopharm and vaccine establishment are doing their utmost to uphold the official chinesescripted story especially troubling to the powers that be is the fact that the criminally negligent wuhan lab bat experiments were being funded at least in part by dr faucis national institute of allergy and infectious diseases along with the galveston national laboratory at the university of texas medical brancheven after these types of germ warfare experiments had been banned in the uscommanderinchief trump himself in between suggesting people might want to ingest or inject some disinfectants for covid19 protection goes back and forth on the bat in the market theory torn between rousing his populist base by denouncing the chinese virus and siding with his good friend and corporate americas most important business partner xi jinping the chinese dictator who just happens to control not only trillions of dollars in us treasury bonds and exports but the medical equipment pharma drugs and lab chemicals that are in such short supply in the ustrump also has millions of dollars in real estate loans coming due from chinese banks next yearin an instagram post robert kennedy jr exposes the complicity of dr anthony fauci the supposed rational voice of the trump administration on covid19 in the wuhan disasterthe daily mail today reports that it has uncovered documents showing that anthony faucis niaid gave 37 million to scientists at the wuhan lab at the center of coronavirus leak scrutiny according to the british paper the federal grant funded experiments on bats from the caves where the virus is believed to have originated background following the 20022003 sars coronavirus outbreak nih funded a collaboration by chinese scientists us military virologists from the bioweapons lab at ft detrick nih scientists from niaid to prevent future coronavirus outbreaks by studying the evolution of virulent strains from bats in human tissues those efforts included gain of function research that used a process called accelerated evolution to create covid pandemic superbugs enhanced bat borne covid mutants more lethal and more transmissible than wild covid faucis studies alarmed scientists around the globe who complained according a dec 2017 ny times article that these researchers risk creating a monster germ that could escape the lab and seed a pandemic dr mark lipsitch of the harvard school of public healths communicable disease center told the times that dr faucis niaid experiments have given us some modest scientific knowledge and done almost nothing to improve our preparedness for pandemic and yet risked creating an accidental pandemic in october 2014 following a series of federal laboratory mishaps that narrowly missed releasing these deadly engineered viruses president obama ordered the halt to all federal funding for faucis dangerous experiments it now appears that dr fauci may have dodged the federal restrictions by shifting the research to the military lab in wuhan congress needs to launch an investigation of niads mischief in chinakennedy also calls out two of the other supposed health experts on the trump team robert redfield and deborah birxredfield birx fauci lead the white house coronavirus task force in 1992 two military investigators charged redfield birx with engaging in a systematic pattern of data manipulation inappropriate statistical analyses misleading data presentation in an apparent attempt to promote the usefulness of the gp160 aids vaccine a subsequent air force tribunal on scientific fraud and misconduct agreed that redfields misleading or possibly deceptive information seriously threatens his credibility as a researcher and has the potential to negatively impact aids research funding for military institutions as a whole his allegedly unethical behavior creates false hope and could result in premature deployment of the vaccine the tribunal recommended investigation by a fully independent outside investigative body dr redfield confessed to dod interrogators and to the tribunal that his analyses were faulty and deceptive he agreed to publicly correct them afterward he continued making his false claims at 3 subsequent international hiv conferences perjured himself in testimony before congress swearing that his vaccine cured hiv their gambit worked based upon his testimony congress appropriated 20 million to the military to support redfieldbirxs research project public citizen complained in a 1994 letter to the congressional committees henry waxman that the money caused the army to kill the investigation whitewash redfields crimes the fraud propelled birx redfield into stellar careers as health officials docs obtained via tom paine although the chinese government and most of the us political establishment continue to support the official bat in the market story the majority of americans do not as reported in the uks sunday timesaccording to a pew research poll only 43 percent think the virus came about naturally while a sizeable 29 percent believe it was made in a laboratory journalism most foul it is frustrating and indeed alarming that so few independent journalists scientists activists and public officials have thus far been willing to question the official storyfor 30 years now myself and others have warned about the dangers of genetically engineered foods and crops and genetically modified organisms gmos in general including genealtered bioweapons gene drives and the new crispr geneediting technologiesnow it appears that our worst fears have materializedwe need a global public inquiry led by independent scientists to gather the evidence on what really happened with covid19 followed by an international biowarfare crimes tribunal so that we can bring the chinese us and other perpetrators of this pandemic to justice and prevent this type of disaster from ever happening againits time to shut down every biosafetybiowar lab in the world including bayer and monsantos lab and implement a true global ban on weapons of mass destruction wmds including all atomic chemical and biological weapons and wmd experimentationuntil we do this none of us will ever be safe againthe socalled progressive media in america with a few exceptions have up until now failed to investigate the real causes of the covid19 pandemic partly out of ignorance of the machinations and arrogant recklessness of the gene engineers and biowarfare scientists partly out of fear of appearing to agree with trumps racist rantings or even worse being branded a conspiracy theorist by establishment democrats and mass media outletsand speaking of conspiracies and murder most foul almost everyone seems to have forgotten about the nationwide panic surrounding the post911 2001 anthrax bioterrorist attacksused to help justify the invasion of iraqagainst liberal members of the media and the us congress then and now it was clear that these attacks were carried out not by arab terrorists nor a single crazed individual but by a yet unidentified cabal who engineered and deployed weaponized spores from the us military biowarfare lab at fort detrick marylandbut perhaps you think we shouldnt worry so much since a blockbuster lineup of anticovid vaccines are on the way funded by the chinese government big pharma and the bill and melinda gates foundation likely including some of the same gene engineers who weaponized covid19never mind that bill gates monsanto the gene giants and big pharma appear quite willing to join up with facebook and google to implement a 247 totalitarian medical surveillance state with everyone injected with a mandatory and expensive covid19 vaccine while the worlds dictators corporate criminals and billionaires hunker down in their underground mansions and bunkersnever mind that most flu vaccines up until now dont work that well especially against constantly mutating viruses like covid19 or that theyre routinely laced with aluminum adjuvants and mercury preservativesnever mind that perhaps our only real defense against biowarfare is to stop eating big ag and big foods poison products and instead strengthen our health and our immune systems clean up the worlds air water and environment shut down factory farms stop destroying wildlife habitat and pray that herd immunity eventually stops the spread of covid19 since so many of us have already been infected but are asymptomaticin the meantime please dont believe everything you read in the corporate mass media facebook or even the progressive press stay in touch with and support those of us determined to seek and defend the truth fight for freedom and justice and organize for a regenerative future and climatedont forget to eat healthy organic regenerative foods take your immuneboosting supplements get as much exercise fresh air and sunshine as possible wash your hands frequently stay safe and stay out of the way of those most vulnerableplease sign our petition demanding an end to genetic engineering of viruses", + "https://www.organicconsumers.org/", + "FAKE", + 0.0031243596953566747, + 3811 + ], + [ + "No Evidence That Flu Shot Increases Risk of COVID-19", + "quick take a claim being pushed on social media and by an organization skeptical of vaccines is using a military study to falsely suggest that the flu vaccine increases someones risk of contracting covid19 the study does not say that and the military health system advises people to get the flu shotfull story federal health officials are warning that the novel coronavirus outbreak could resurge in the fall presenting a significant public health quandary fighting both covid19 and the flu at the same timerobert redfield director of the us centers for disease control and prevention noted the importance of the flu vaccine in controlling the spread of influenza in a recent interview with the washington post he said the flu shot may allow there to be a hospital bed available for your mother or grandmother that may get coronavirusbut social media posts are singing a different tune cautioning against the flu shot by falsely suggesting that the vaccine increases the chances of getting covid19 by 36the argument is being pushed in a post by childrens health defense an organization founded by robert f kennedy jr known for his vaccine skepticism headlined pentagon study flu shot raises risk of coronavirus by 36 and other supporting studies the post republished elsewhere pointed to peerreviewed published studies to prove that advice offered by cnn anchor anderson cooper in march for people to get the flu shot may have been the worst advice he could have given the publicthats wrongfirst of all experts say there has been no study connecting the flu shot with an increased risk of sarscov2 the novel coronavirus that causes covid19the central study cited by the childrens health defense is a 2019 armed forces health surveillance branch study that probed the theory that influenza vaccination may increase the risk of other respiratory viruses a concept known as virus interferenceedward belongia an infectious disease epidemiologist at the marshfield clinic research institute told us that the theory rests on the idea that if you get a flu infection for example maybe for some period of time your immune response to that flu infection reduces your risk of getting infected by some other virus\nbelongia said virus interference has been the subject of speculation and some studies with mixed results but there is ultimately little data to support it a 2013 study he worked on cited in the afhsb study found that influenza vaccination was not associated with detection of noninfluenza respiratory viruses\nin fact the afhsb study concluded that its overall results showed little to no evidence supporting the association of virus interference and influenza vaccinationthe erroneous claim that the study shows a heightened risk for covid19 for those vaccinated for the flu hinges on the studys suggestion that vaccinated individuals appeared more likely to get coronavirusbut the study looked at four types of seasonal coronaviruses that cause common colds not sarscov2whats more belongia said the results in the study that indicate a fluvaccinated person has an increased likelihood of testing positive for a seasonal coronavirus do not appear to be adjusted for age groups or seasons those factors could affect someones chances of getting a specific virus regardless of whether or not theyve been vaccinated for the fludifferent viruses affect different age groups and circulate at different times he said it can be easily explained just by random variation and the fact that they didnt adjust for confounding variablesthe military health system of which the afhsb is a part noted in a statement to factcheckorg that the study used data collected two years before the emergence of covid19 and looked at the seasonal coronaviruses impacting children and adults with no serious complications which do not have the potential for epidemic or pandemic spreadthe study does not show or suggest that influenza vaccination predisposes in any way the potential for infection with the more severe forms of coronavirus such as covid19 the mhs saidfurthermore the statement said its also important to note the study found evidence of significant protection by influenza vaccination against not only multiple forms of the flu but other very serious noninfluenza viruses such as parainfluenza respiratory syncytial virus rsv and noninfluenza virus coinfections it remains essential for people to obtain the seasonal flu shot each year as it becomes availablethere have been some results suggestive of virus interference which the childrens health defense cites in its post but none of the studies referenced assessed risks of the flu shot when it comes to covid19for example sharon rikin an assistant professor of medicine at albert einstein college of medicine and montefiore medical center said in an email that a 2018 study she worked on showed an association with flu vaccination and a slightly higher risk of nonflu acute respiratory infections such as the common cold in children however this association was not seen in adultsin medicine we are always weighing the risks and benefits of treatments in this case we know that the flu vaccine is safe and effective to reduce illness and death among children and adults every year rikin added we have not studied the association between flu vaccination and risk of covid19 fortunately covid19 is typically not causing significant illness in children however preventing illness and death from flu still remains extremely important for childrenrikin said just because we found an association between flu vaccines and acute respiratory infections does not mean that the flu vaccine actually caused there to be a higher risk of infections she said the group struggled to find a biologically plausible explanation and that while there is a small body of literature that hypothesizes that the phenomenon of shifts in viral prevalence could be caused by viral interference there is not strong empirical evidence of this occurring\nbelongia told us that ultimately the evidence of virus interference through such studies is weak and inconclusiveoverall we do not see evidence of virus interference that is sufficient to raise concerns about flu vaccination and covid19 risk he said serious covid19 disease occurs primarily in adults and we do not have evidence of flu vaccine causing virus interference in adult age groupshe said that getting the flu shot if anything is especially important because of potential problems posed by the combination of the flu and covid19 both for the health care system and individualslikewise richard ellison a professor of medicine at the university of massachusetts medical school and hospital epidemiologist at umass memorial medical center told us in an email that getting the flu itself carries very significant morbidity and potentially mortality so we dont want someone to get the flu in the first placein addition while having the flu may boost the immune system it can significantly weaken someones overall health status and make them more susceptible to complications should they be unfortunate enough to have both influenza and covid19 in the same year", + "https://www.factcheck.org/", + "FAKE", + 0.04732995718050066, + 1141 + ], + [ + "WHO RECEIVED ORDERS FROM “ABOVE” TO DECLARE A CORONAVIRUS PANDEMIC", + "who has most likely received orders from above from those people who also manage trump and the leaders sic of the european union and her member countries those who aim to control the world with force the one world order", + "https://southfront.org/", + "FAKE", + 0.125, + 40 + ], + [ + "5G Wireless: A Dangerous Experiment on Humanity", + "scientists environmental groups doctors and citizens around the world are appealing to all governments to halt telecommunications companies deployment of 5g fifth generation wireless networks which they call an experiment on humanity and the environment that is defined as a crime under international law research has shown that wireless radiation can cause dna damage neuropsychiatric effects and other health problems rt americas michele greenstein joins rick sanchez to discuss it might kill you 5g health risks conspiracy theory children exposed to 5g suffered from cancer nosebleeds and learning disabilitiesmaybe this is something to consider when youre reading headlines about how the gates foundation is pledging money to fight the coronavirus she says not only is it pledging money in china and in africa to contain the virus its also involved in finding a cure", + "https://www.rt.com/", + "FAKE", + 0.09375, + 134 + ], + [ + "5G Syndrome Maps Perfectly with Coronavirus Outbreaks", + "theres a lot of hard evidence now emerging the further away we get from the original crime scene in wuhan china and as the coronavirus pops up around the world in 5g hotspots that indicates this pandemic is being manufactured for multiple reasonsas it turns out those nations with the most advanced 5g rollouts have the highest incidence of covid19 cases both infection rates and death ratesin those countries that have permitted iot buildouts where the 5g power grids are the most developed the coronavirus infection rate is taking offwhats really interesting is that africa has thus far shown very few cases as of this weekend there were only 3 medically acknowledged cases on the entire continent which begs the question how do the third world countries in africa avoid such a contagious strain of the coronavirus given the pervasive lack of proper sanitation and necessary hygienein light of how deeply involved the chinese are with development projects all over africa its quite curious how that infection number is still so low perhaps its directly related to the absence of 5g rollouts in the vast majority of african nationsbefore those nations suffering the greatest number of coronavirus infections to date are further investigated china south korea italy iran japan singapore hong kong germany united states france spain kuwait another curious development ought to be looked at closelythe proof is in the cruise shipsthe single best proof of the quite obvious 5gcoronavirus linkage are the various cruise ships that have seen an inexplicable mushrooming of coronavirus cases even after all the passengers were quarantinedmany of the biggest cruise lines now advertise the fact that they have the latest and greatest 5g technologies in place the most advanced cruise ships actually possess the best examples of what the internet of things iot will look like in the future if the buildouts proceed unimpeded by the very serious health concerns and safety issueskey point cruisegoers by and large love to stay connected with the folks back home they especially enjoy texting their many photosbysmartphone back to family and friends businessmen have a need to stay in touch with the office as other passengers want to stay abreast of all the breaking news in 2020 hence every cruise ship will eventually become a 5giot paradise if theyre not alreadywhat really happened on the quarantined cruise ships is that those folks were likely quite vulnerable to the flu bug for a variety of reasons then when they entered the fully operational 5g space on the ships their immunity was profoundly weakened so that they would be susceptible any influenza strain including the wuhan coronaviruscovid19the cruise lines have literally put their 5g technology on supersteroids as seen in this promotion medallionnet the best wifi at sea5g nationsit has also been astutely observed that those nations with the most pervasive and powerful 5g networks fully functioning are those that have suffered the biggest outbreaks of the coronavirus to date why should anyone be surprised at this wholly predictable outcomethe following excerpt comes from coronavirus bombshell this proves it should be named 5g covid19the importance of viewing the coronavirus covid19 as a telephone disease is that by doing so it explains some perplexing mysteries about the spread of this diseasesuch as why this disease has struck the gulf nations and monarchies in the persian gulf region but becomes explainable when one notices their ongoing 5g revolutionmost particularly in iran where this country is completely blanketed to its smallest village with 4g technology coveragebut who are now putting the finishing touches on rolling out 5g technology throughout their entire nation in the coming weeksfinishing touches that included iran activating their chinese bought 5g technology for testingthat was immediately met by iran having more coronavirus cases and deaths of any nation outside of chinaand whose vice president is one of seven of their top government officials now infectedcoronavirus covid19 disease outbreak begins to spread in persian gulf nations and monarchies activating 5g technologyboth 5g demonstration zones such as wuhan china and floating 5g cruise liners are correctly considered 5g hotspots these 5g hotspots for the uninitiated are really kill zones because many folks will die early the longer they bask in those dangerously high levels of 5g radiofrequencies and microwave radiationthe following excerpt from a previous exposé provides critical links for every individual who lives works andor plays in a 5g superhotspotswhich brings us to the single most perilous aspect of the military deployment of 5gkill zonesall the scientific evidence available in the public domain now indicates that wherever 5g infrastructure is located in the greatest concentration generating the most powerful emfs and microwaves those 5g superhotspots will effectively function as kill zones as follows5g superhotspots you better know where the kill zones are locatedin order to fully grasp the highly destructive and deadly potential of these rapidly emerging 5g superhotspots the following video exposé presents a scenario where the most powerful directed energy weapons will be located within these 5g kill zones", + "https://web.archive.org/", + "FAKE", + 0.17760496671786996, + 833 + ], + [ + "Coronavirus may have originated from China’s Wuhan laboratory, study from Chinese researchers shows", + "where did the coronavirus originate from thats one of the most asked questions since the virus started about two months ago it is a lingering question everyone is asking about according to a new report from science magazine wuhan seafood market may not be the source of novel virus that has already claimed the lives of at least 400 people worldwidewhile all eyes have so far focused on the seafood market in wuhan china as the origin of the outbreak the magazine pointed to a description of the first clinical cases published in the lancet on friday challenges that hypothesis the chinese government denied the lab link to coronavirus as questions over the origin of the virus mountaccording to a study written by a large group of chinese researchers from several institutions of the original 40 cases in wuhan the epicenter of the outbreak 14 people who contracted the virus never set foot in the wuhan wildlife market where chinese authorities have claimed the virus originated the study further provides details about the first 41 hospitalized patients who had confirmed infections with what has been dubbed 2019 novel coronavirus 2019ncov in the earliest case the patient became ill on 1 december 2019 and had no reported link to the seafood market the authors reportthe symptom onset date of the first patient identified was dec 1 2019 none of his family members developed fever or any respiratory symptoms no epidemiological link was found between the first patient and later cases the researchers said in the study their data also show that in total 13 of the 41 cases had no link to the marketplace thats a big number 13 with no link says daniel lucey an infectious disease specialist at georgetown university you can read the report in its entirety at lancetcom earlier reports from chinese health authorities and the world health organization had said the first patient had onset of symptoms on 8 december 2019and those reports simply said most cases had links to the seafood market which was closed on 1 januaryscience magazine is not alone in commenting on the lancet study us senator tom cotton cited the same lancet study he tweeted the following china claimedfor almost two monthsthat coronavirus had originated in a wuhan seafood market that is not the case thelancet published a study demonstrating that of the original 40 cases 14 of them had no contact with the seafood market including patient zero sen tom cotton refused to accept claims china made about the origin of the deadly coronavirusin a related story late last month federal agents arrested dr charles lieber chair of harvard universitys department of chemistry and chemical biology after lying to the department of defense about secret monthly payments of 5000000 paid by china and receipt of millions more to help set up a chemicalbiological research laboratory in china according to a report from the us department of justice dojalso arrested were two chinese students working as research assistants one of whom was actually a lieutenant in the chinese army the other captured at logan airport as he tried to catch a flight to china smuggling 21 vials of sensitive biological samples according to the fbi according to doj this same research professor had helped set up a lab at the wuhan university of technology the same city that is now a ground zero to the potentially global pandemic coronavirus\nunbeknownst to harvard university beginning in 2011 lieber became a strategic scientist at wuhan university of technology wut in china and was a contractual participant in chinas thousand talents plan from in or about 2012 to 2017 doj said", + "https://techstartups.com/", + "FAKE", + 0.05967384887839434, + 607 + ], + [ + "Protect Yourself from the Coronavirus (or Any Virus)", + "the coronavirus known as covid19 was recently labeled a pandemic by the world health organization thousands have died and there is much concern about the rate of the spread of the virus and its severity along with the coronavirus anxiety and concern are sweeping across the us and the worldtodays conversation with sally fallon morell the head of the weston a price foundation empowers us to take our health into our own hands through a nutrientdense diet we can strengthen our bodies naturally and improve their ability to confront what may come their waysally offers practical tips for boosting immunity includingtaking 1 tablespoon of coconut oil per dayeating liver once per weekdrinking bone broth regularly for detoxingincluding saturated fat to safeguard respiratory healthshe goes into detail about the foods that nourish and protect our immune system she discusses the role of vitamins a d c and saturated fats she covers the role of 5g in weakening the immune system in wuhan the epicenter of the virus and importantly she reminds us to stay calmsince stress depletes our vitamin a stores which are critical for fighting any virushighlights from the conversation includehow the coronavirus is not particularly new sars and mers are versions of itwhy its not important to speculate about whether its manmade or nothow mother nature is not easily manipulatedhow vitamin a from animal foods is critical for fighting diseasehow socalled vitamin a found in plant foods is actually carotene and not easily converted to vitamin a in our bodieshow egg yolks butter liver and cod liver oil are good sources of vitamin ahow cod liver oil was used to boost health prior to wwiihow it fell into disfavor once antibiotics were introducedhow vitamin d works synergistically with vitamin ahow vitamin c is found in fruits and vegetables and in a plantlike powderwhy bone broth is an excellent immunity booster and detoxing protocolwhy coconut oil is great for fighting viruseshow 1 t of coconut oil per day is recommended for gut health the difference between mct oil and coconut oilhow we need saturated fats to keep the lungs working wellhow saturated fats are found in butter coconut oil meat fats cream cheesehow vegetable oils are actually industrial seed oilswhat it takes to make these rancid oils palatablewhy raw milk is good for you and is sometimes called white bloodissues with coronavirus testing accuracy of test false positives etcstatistics 50 deaths per day from coronavirus 1000 daily from the flu 2000 deaths from pneumonia per day 3000 deaths per day from tuberculosis worry and panic and stress deplete vitamin a which we need to fight the virus what sally does to fight stress and worry wuhan had 5g rolled out in december 2019 did that impact the spread of the virusat 60 megahertz 5g tampers the oxygen in our blood and lowers immunity", + "https://www.westonaprice.org/", + "FAKE", + 0.1361548174048174, + 473 + ], + [ + "ORIGINAL SOURCE OF COVID-19 IS AN AMERICAN MILITARY BIOLOGICAL WARFARE LABORATORY", + "the original source of the covid19 virus is the american military biological warfare laboratory at fort detrick", + "https://katehon.com/", + "FAKE", + 0.09166666666666667, + 17 + ], + [ + "CORONAVIRUS MIGHT HAVE BEEN BROUGHT TO WUHAN FROM OUTSIDE CHINA", + "the coronavirus that caused the pandemic did not originate in wuhan\n\nfive of chinas largest scientific institutes have studied the covid19 genome samples taken in 12 countries on 4 continents they found that there is no ancestor of the virus that can be found in china it means that the coronavirus was brought to the market in wuhan where it is believed the epidemic began by an already infected person it is likely that by that time the infection was already developing in other regions", + "utro.ru", + "FAKE", + -0.0625, + 85 + ], + [ + "NATURAL PROTECTION STRATEGY AGAINST VIRUSES, INCLUDING THE CORONAVIRUS", + "what are virusesviruses are very tiny germs much smaller than bacteria they are made up of genetic material with an outside protein exterior they have some very unique characteristicsthey are not able to make protein like some other cellsthey are totally dependent on their host for survivalthey can only reproduce while inside of a host cella strong immune system can keep viruses from multiplyingin a compromised immune system the virus inserts its genetic material into a cell and begins to produce more virus in the host cell\neach virus has a unique shape and is attracted to very specific organs in the body such as the liver lungs or even our blood\nwhat are the diseasesillnesses that are caused by viruses there is a long list of diseases caused by viruses including some colds influenzachickenpoxhivlymesome pneumoniashinglesrubellameasleshepatitisherpespolioebolasmall poxmumpsepstein barrtreatments for viral diseasesviruses are very difficult to treat with conventional medical approaches a few of the more effective treatments includesmall pox a vaccine has been effectivehiv a few medications have proven to be effectivehepatitis c a few medications have proven to be very effectiveflu vaccine this years version of the flu vaccine 2020 is only 10 effective according to a recent study in the new england journal of medcine this study in janfeb 2020 suggests that this years dominant flu virus is unique and stronger than previous strainsvaccinations for the flu and measles have not been shown to be consistently effective but show some promise for the future these efforts deserve to be continued however there are several natural approaches that deserve to be mentioned and they are supported by excellent scientific evidenceanimal caused virusessome viruses emanate from contact with animalsvirusinfluenzarabieslassa leptospirosis etcebola and marburghiv 1 and 2newcastle diseasewest nilelyme diseaserabiesyellow fever and dengue feveranimal causebirds pigs horsesbats dogs foxes rodentsmonkeyschimpanzees and monkeyspoultrybirdstics from deeranimal biteinsects mosquitoes lice fleasplant spread of virusesfruits and vegetables can also become infected with viruses norovirus contamination can occur before and after harvest from water runoff containing fecal matter or when infected human touch the plants noroviruses do no grow on the plant like bacteria does they wait until the infection is passed on to a human and then it begins to multiply commercial harvest is safer before most produce it treated with irradiationhowever when people buy produce at food markets this treatment is not used a novel method of treatment has been developed by scientists in quebec canada the combined cranberry juice and citrus extract in a spray for produce such as lettuce and strawberries other produce sprays been effectively kill bacteria but are not as effective on the norovirus this spray turned out to be very effective the study was published online on february 12 2020 in the journal of applied microbiologyhuman spread of virusesthere are a few viruses that are spread by human contact human transmissionskin contactrespiratoryfecaloralmilksexuallyvirus typehpv wartscold viruses flu measles mumpspolio coxsackie hepatitis a hiv htlv1 cmvherpes 1 and 2 hiv hepatitis bpreventing and treating viral disease naturallythere is mounting scientific evidence that a handful of vitamins minerals and herbs have been shown to be effective in prevention and treatments of many viral influenced illnesses below are a few examples of some natural prevention and treatment protocolsmeasles in 2002 a study of children with measles under the age of two experienced a reduced risk of overall mortality and pneumonia specific mortality after taking 200000 iu of vitamin a for two days pub med hiv in 2018 a national institute of health study found that low vitamin d3 promotes inflammation and deactivation of key immune system elements supplementation with vitamin d3 to levels between 50 90 mgml can help provide excellent protectioncolds and flu in april of 2012 a study found that low levels of vitamin d3 resulted in an increase in colds flus and autoimmune diseases these low levels under 50 mgml allow for genetic activation of reduced immune function federation of american scientists for experimental biologytb and hepatitis c vitamin d3 deficiency has now been found to have a strong corelation to the development of tb hepatitis c and bacterial vaginosis canadian aids treatment and information exchangepolio nearly 50 years ago dr frederick klenner cured 60 people with polio by using multi gram doses of vitamin c he used both intramuscular and intravenous methods over a twoday period journal of preventive medicine 1974 sepsis sepsis is not a virus but it is a very dangerous infection caused by difficult to treat bacteria vitamin c used as an adjunct to antibacterial protocols has been shown to be highly effective in reducing the severity and length of the infection many lives are being saved in the hospitals using this integrated protocol j crit care 2018 viral pneumonia when dr andrew saul became ill with viral pneumonia his doctor offered no treatment dr saul knew about the work of dr cathcart who was using mega doses of intravenous vitamin c 200000 mg daily dr saul took 2000 mg of vitamin c orally every six minutes and experienced dramatic relief within hours after consuming 100000 mg he began to experience a considerable reduction of symptoms wwwdoctoryourselfcom and journal of orthomolecular medicine the special case of the coronavirusvitamin c coronavirus exploring effective nutritional treatments andrew w saul orthomolecular news service january 30 2020 this article is based on more than 30 clinical studies confirming the antiviral power of vitamin c against a wide range of flu viruses over several decades vitamin c inactivates the virus and strengthens the immune system to continue to suppress the virus in many cases oral supplementation up to 10000 mg daily can create this protection however some viruses are stronger and may require larger doses given intravenously 100000 to 150000 mg daily vitamin c helps the body to make its own antioxidant glutathione as well assist the body in the production of its own antiviral called interferon if iv vitamin c is not available there have been cases where some people have gradually increased their oral dose up to 50000 mg daily before reaching bowel tolerance powdered or crystal forms of high quality ascorbic acid can be taken five grams 5000 mg at a time every four hours every virus seems to respond to this type of treatment regardless of the whether it is sars bird flu swine flu or the new coronavirus fluvitamin d3 vitamin d helps fend off flu asthma attacks american journal of clinical nutrition march 10 2010 this was a doubleblind placebo controlled study where the treatment group consumed 1200 iu of vitamin d3 during the cold and flu season while the control group took a placebo the vitamin d group had a 58 reduced risk of flu vitamin d3 is also very effective in the treatment of virusflu infectionsvitamin d3 helps our body to make an antibiotic protein called cathelicidin which is known to kill viruses bacteria fungi and parasitesvitamin d deficiency for adults is 42 but this is incorrect because the standards are too low levels of 3050 ngml are said to be adequate but every scientific study has shown that levels of 50100 ngml are needed for true protectiondiet and sunshine are good sources of vitamin d but most people need to supplement especially during flu season between 500010000 iu daily is often recommended in the form of a quality liquid supplementwhen you get the flu dr john cannel recommends taking 50000 iu daily for the first 5 days and then 500010000 iu as a maintenance dose silver silver kills viruses journal of nanotechnology october 18 2005 this study found that silver nanoparticles kills hiv1 and virtually any other viruses the study was jointly conducted by the university of texas and mexico university after incubating hiv1 virus at 37 c the silver particles killed 100 of the virus within 3 hours silver employs a unique mechanism of action to kill virusessilver binds to the membrane of the virus limiting its oxygen supply and suffocating itsilver also binds to the dna of the virus cell preventing it from multiplyingsilver is also able to prevent the transfer of the virus from one person to another by blocking the ability of the virus to find a host cell to feed on all viruses need host cells to survivecolloidal silver can also be used at doses of 1020 ppm nanoparticle sliver is preferredthe best defense against swine flu bird flu or the new coronavirus may be a few teaspoons of sliver every day bacteria and viruses cannot develop a resistance like many other treatments can silver disables a vital enzyme and mechanism in pathogens so they cannot surviveother evidencebased herbal strategies for the fluin addition to the previously mentioned vitamin strategies for preventing and treating virusrelated illnesses there are several herbal remedies that are also effective here are a few with proven scientific evidence behind themelderberry a study published in the journal of alternative and complementary medicine found elderberry can be used as a safe and effective treatment for influenza a and bcalendula a study by the university of maryland medical center found that ear drops containing calendula can be effective for treating ear infections in childrenastragulus root scientific studies have shown that astragulus has antiviral properties and stimulates the immune system one study in the chinese medical sciences journal concluded that astragulus is able to inhibit the growth of coxsackie b viruslicorice root licorice is gaining popularity for the prevention and treatment of diseases such as hepatitis c hiv and influenza the chinese journal of virology published a review of these findingsolive leaf olive leaf has been proven effective in the treatment of cold and flu viruses meningitis pneumonia hepatitis b malaria gonorrhea and tuberculosis one study at the new york university school of medicine found that olive leaf extracts reversed many hiv1 infectionsthese are just some of the many antiviral agents that should be included in everyones home remedy medicine chest it may also be helpful to know which foods can provide the best antivital protection certain foods can provide strong antiviral production some of the strongest foods in this category includewild blueberriessproutscilantrococonut oilgarlicgingersweet potatoesturmericred cloverparsleykalefennelpomegranates conclusionit is a generally accepted fact that once a virus is in the body it very seldom leaves the medications vitamins and herbs that have been proven to be effective simply suppress the virus and limit its ability to reproduce a strong immune system is the key to preventing andor successfully treating any chronic illness the key elements of this protection program includeeating a plantbased whole food diet with very limited animal products adding daily nutritional supplements such as a multiple vitaminmineral 2000 mg of vitamin c with bioflavonoids maintain vitamin d3 levels of 5090 ngml 10002000 mg of omega 3 oils a vitamin b complex and about 400 mg of magnesium depending on your level of exerciseavoid toxins and use detoxification programs periodicallyregular daily exerciseaerobic resistance and flexibilityavoid stress and use yoga and meditation to manage stresswash your hands with soap and water after touching areas that have been touched by othersin the home there is a new product puregreen24 that kills staph mrsa and most viruses within two minutes this product has an epa iv toxicity rating and is safe and effective for hospitals as well as for children and pets at homeavoid putting your hands to your faceavoid anyone who is experiencing flu and cold symptomsat the first signs of any cold or flu symptoms begin a fairly aggressive treatment protocol the sooner treatment begins the better the chance is that the infection can be stopped andor controlledby adhering to this basic antiviral strategy it is possible to greatly reduce the risk of these virusrelated illnesses as well as most other illnesses conventional medicine offers very little for the prevention or treatment of most viral illnesses natural medicine offers considerably more solutions", + "https://www.wakingtimes.com/", + "FAKE", + 0.16116038201564525, + 1965 + ], + [ + "COVID-19 was caused by eating animals", + "the new coronavirus pandemic would not have started if we didnt farm and eat animals the one thing they all have in common is that they started because of our exploitation of animalscovid19 would not exist if the world was vegan your personal choice to eat animals impacts every living being on this planet of course many zoonotic diseases are unrelated to our exploitation of animals and being vegan wouldnt completely eliminate all of them zika virus being a prime example", + "http://www.Instagram.com", + "FAKE", + 0.08727272727272728, + 81 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + "Russian President Vladimir Putin has said that the United States created the coronavirus as a biological weapon to end China", + "the coronavirus was created as a biological weapon to destroy a country and now humanity is paying for trumps mistake", + "Facebook", + "FAKE", + -0.2, + 20 + ], + [ + null, + "microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for thecoronavirus and who has been vaccinated against it", + "twitter", + "FAKE", + 0, + 28 + ], + [ + "News Media Attacks Vitamin C Treatment of COVID-19 Coronavirus", + "first of all the naysayers are too late vitamin c is already being used to prevent and treat covid19 in china and in korea and it is workinghere is a verified official statement from chinas xian jiaotong university second hospitalon the afternoon of february 20 2020 another 4 patients with severe coronavirus pneumonia recovered from the c10 west ward of tongji hospital in the past 8 patients have been discharged from hospital highdose vitamin c achieved good results in clinical applications we believe that for patients with severe neonatal pneumonia and for critically ill patients vitamin c treatment should be initiated as soon as possible after admission numerous studies have shown that the dose of vitamin c has a lot to do with the effect of treatment highdose vitamin c can not only improve antiviral levels but more importantly can prevent and treat acute lung injury ali and acute respiratory distress ardshere is a report from koreaat my hospital in daegu south korea all inpatients and all staff members have been using vitamin c orally since last week some people this week had a mild fever headaches and coughs and those who had symptoms got 30000 mg intravenous vitamin c some people got better after about two days and most had symptoms go away after one injectionthere are at least three highdose intravenous vitamin c studies underway in china literally by the truckload tons of vitamin c has been sent into wuhanhere is a report from a physician in chinawe need to broadcast a message worldwide very quickly vitamin c small or large dose does no harm to people and is the one of the few if not the only agent that has a chance to prevent us from getting and can treat covid19 infection when can we medical doctors and scientists put patients lives first richard z cheng md phd international vitamin c china epidemic medical support team leadernews media attacks on vitamin c are centered on false allegations of dangers with megadoses this tactic lets the media ignore the truth that even low doses of vitamin c reduce symptoms and death rates do not let the media spin this issue advocates of vitamin c are medical doctors not spin doctors they are experienced credentialed clinicians who have read the science a small sample of which followseven small supplemental amounts of vitamin c can keep severely ill patients from dyinginfants with viral pneumonia treated with vitamin c had reduced mortality17000 mgday vitamin c given intravenously shortened intensive care unit stay by 44200 mg of vitamin c reduced duration of severe pneumonia in children oxygen saturation was improved in less than one daythe orthomolecular medicine news service and its editorial board of nearly four dozen physicians academics and health professionals listed below feel it is necessary to report on what the advertisersupported corporatecontrolled commercial media refuses to acknowledge even small amounts of vitamin c dramatically decrease severity of symptoms and increase survival rates among severely ill viral patients large doses work better intravenous large doses work better still omns has been relentlessly reporting on this for weeks", + "http://orthomolecular.org/", + "FAKE", + 0.0793831168831169, + 517 + ], + [ + "Coronavirus may have originated in lab linked to China's biowarfare program", + "the deadly animalborne coronavirus spreading globally may have originated in a laboratory in the city of wuhan linked to chinas covert biological weapons program said an israeli biological warfare analystradio free asia last week rebroadcast a wuhan television report from 2015 showing chinas most advanced virus research laboratory known the wuhan institute of virology the laboratory is the only declared site in china capable of working with deadly virusesdany shoham a former israeli military intelligence officer who has studied chinese biological warfare said the institute is linked to beijings covert bioweapons programcertain laboratories in the institute have probably been engaged in terms of research and development in chinese biological weapons at least collaterally yet not as a principal facility of the chinese bw alignment mr shoham told the washington timeswork on biological weapons is conducted as part of dual civilianmilitary research and is definitely covert he said in an email", + "https://www.washingtontimes.com/", + "FAKE", + 0.04375, + 150 + ], + [ + "while people were “distracted by the coronavirus” companies were “working flat out” to install new 5G masts.coronavirus being a “distraction” to install 5G infrastructure", + "while people were distracted by the coronavirus companies were working flat out to install new 5g masts", + "Facebook", + "FAKE", + 0.05568181818181818, + 17 + ], + [ + "\"NATO is preparing to surround China by applying the Theory of Containment\"", + "the tension between the us and china is escalating president donald trump accuses the asian giant of being responsible for the covid19 pandemic and of wanting to hinder his reelection from china deny these allegationsthe accusation against china holding her responsible for covid19 began a few weeks after the virus was detected in wuhan city from a viral video of a young asian woman eating bat soup which was decontextualized and caused a worldwide xenophobic wave against the chinese it was pointed out to a biochemical laboratory in wuhan and to frontal statements by the highest authorities of the us government such as recently made the secretary of the state department mike pompeoa sign of biological danger is a political war with a bacteriological touch drawing near between china and the usthe head of us diplomacy said that china represents a threat to the world and called on his allies to unite pressure against the asian giant just as the united kingdom france and australia have done who have asked to open a research on the origin of the virus \nthe accusations against china are repeated daily by political leaders of the us republican party media corporations and media executives such as steve banon a former adviser to president trump and his great friend guo wengui a chinese billionaire who fled to the united states in 2014 after being accused by the chinese justice of corruption and money laundering and who has since threatened to end the communist party of china on this topic sputnik talks with the french journalist thierry meyssan director of the digital media outlet red voltaire author of numerous books including from the imposture of september 11 to donald trump pentagate and the great imposture president donald trump insists on holding china accountable for the covid19 pandemic he and other leaders of his party say the virus came out of the wuhan biochemical laboratory china denies this allegation and chinese foreign ministry spokesman zhao lijian said in march that the us military may have brought the virus to wuhan during its participation in the world military games in wuhan last october who to believe neither of the two each side sees the possibility that the other can take advantage of the situation as a problem it is therefore logical that each of the parties considers that the covid19 is a weapon of war created by the other party to use it against them but obviously this is not the case since no one controls covid19 it is not a weapon of warbut the accusations against china have escalated first they were accused of eating animals like bats and causing this pandemic which generated worldwide xenophobia then they were accused of acting late and hiding information now president donald trump says the virus came out of a wuhan biochemical lab what are you looking for with these allegationsseveral advisers to president trump are members of a group that grew out of the bush jr administration who call themselves red dawnthe us flag and the emblem of china china requires the us to stop discrimination against its companiesthe new york times has just released several emails from those people that group nostalgic for the cold war is viscerally anticommunist the ussr no longer exists but china is still governed by the communist party they are convinced that the evil chinese are attacking them with covid19 president trump has marginalized them but the ideas of those people have been introduced into the public debatewho cares about a pandemic of this magnitude that has caused an unprecedented global upheavalto nobody it is a completely natural disease but without significant demographic impact in france it has killed 25000 people but the average age of the victims is 84 years that is half of the deceased were over 84 years old however there are some who are taking advantage of hysterical reactions to this pandemic the compulsory confinement of the entire population in their homes the way it is perceived in some countries is a serious violation of fundamental freedoms it favors those who preach ideologies of citizen controlin march attorneys for the us firm berman law group filed a class action lawsuit against the chinese government for being responsible for the spread of the coronavirus us senators ask not to pay the debt they have with china how far can all this gothis leads us to the existence of an anticommunist pressure group in the united states it is irrational a kind of atavismin any case it is an american obsession whenever there is a conflict attorneys appear to file lawsuits against united states interlocutors and courts that convict them based on ontological differences it is something that makes no sense for example the attacks of september 11 2001 attributed them to both the saudi government and the iranian government they even confiscated some of their funds while prohibiting those countries from sending their own investigators to the united statesand how should condoleeza rice be interpreted to enter the scene and say that china should not be allowed to change the story about what it did with covid19 referring to the actions of the chinese authorities to deliver humanitarian aid to affected countries once they overcame the outbreak in your country condoleezza rice was a member of an administration that went as far as planning a war against china for 2015 that project collapsed when the united states found that the destruction of states in the countries of the greater middle east would take longer than they had anticipated the current administration is firmly against that policy as it has demonstrated by stopping all funding that the united states and its allies provided to daesh and by allowing russia syria and iraq to destroy that terrorist groupthe coronavirus pandemic broke out in china just after the us tried by all means to end them applying a tariff trade war blocking huawei in the deployment of the 5g platform promulgating the human rights and democracy law in i support protesters calling for hong kongs independence by having nato declare china a threat are they all casual events unrelated to each other or could they be relatednato is preparing to expand into the pacific to surround china by applying the theory of containment that issue has never been discussed in the atlantic council but the nato secretary general has discussed it with the governments of australia japan and india that will only be possible in the long term but it is already underway it would begin with the incorporation of australia and that would profoundly change the profile of the atlantic alliance in any case it is what is plannedi consider it likely that in the face of the closure of several of its markets and that nato will support conflicts along the silk road china will react by withdrawing into itself as happened in the 15th century at that time china had sent an immense fleet to establish commercial points abroad but for different reasons china backed down and even sank of its own volition that immense fleet that had represented a huge investment she did not want to be tempted to go abroad again china could do the same now in the 21st century considering that the west is still too barbaric so nato would no longer worry about its role in the china seain the midst of this pandemic the us has maintained sanctions against iran syria cuba venezuela put a price on the head of president nicolás maduro and mobilized troops to the caribbean a few kilometers from the venezuelan coast what is the us preparing forpresident trump had left the question of venezuela in the hands of the neocons in the state department it was a way of keeping them busy instead of having them as enemies trump intervened when the neocons wanted to overthrow president maduro and prohibited them from doing so but now he is out of options the price of oil has collapsed and the us shale oil industry is on the brink of the abyss to influence prices trump has to take control of saudi oil and venezuelan oilmike pompeo us secretary of state pompeo the us has plans to reopen its embassy in venezuelain the case of venezuela a plan was prepared with the former imperialist powers that had a colonial presence in latin america france spain the netherlands portugal and the united kingdom each of those countries sent warships to the region there was a naval confrontation between a venezuelan coast guard and a portuguese spy ship and the latter ended up taking refuge in the dutch waters of curaçao at the last moment the pentagon discontinued operation due to the epidemic saudi arabias situation is not much better than venezuelas what has the united states gained after these types of events that have shocked humanity how can coronavirus change the world orderseptember 11 2001 allowed the start of the destruction operation of the states in the countries of the greater middle east and i mean all the states in the region both the enemies and the friends of washington thus came the invasions against afghanistan iraq libya syria and yemenother states in the region have suffered destruction such as saudi arabia in the shiite region of qatif and turkey in the kurdish region of diyarbakir domestically in the united states the events of september 11 led to the hasty adoption of an antiterrorist code the patriot act which had been prepared long before those attacks now covid19 allows former members of the bush administration to reignite their own crusade ", + "https://mundo.sputniknews.com/", + "FAKE", + 0.002996710221480863, + 1608 + ], + [ + "Role of 5G in the Coronavirus Epidemic in Wuhan China", + "wuhan the capital of hubei province in china was chosen to be chinas first 5g smart city and the location of chinas first smart 5g highway wuhan is also the center of the horrendous coronavirus epidemic the possible linkage between these two events was first discussed in an oct 31 2019 article entitled wuhan was the province where 5g was rolled out now the center of deadly virus https5gemfcomwuhanwastheprovincewhere5gwasrolledoutnowthecenterofdeadlyvirus the question that is being raised here is not whether 5g is responsible for the virus but rather whether 5g radiation acting via vgcc activation may be exacerbating the viral replication or the spread or lethality of the disease lets backtrack and look at the recent history of 5g in wuhan in order to get some perspective on those questions an asia times article dated feb 12 2019 httpswwwasiatimescom201902articlechinatolaunchfirst5gsmarthighway stated that there were 31 different 5g base stations that is antennae in wuhan at the end of 2018 there were plans developed later such that approximately 10000 5g antennae would be in place at the end of 2019 with most of those being on 5g led smart street lamps the first such smart street lamp was put in place on may 14 2019 wwwchinaorgcnchina20190514content_74783676htm but large numbers only started being put in place in october 2019 such that there was a furious pace of such placement in the last 2 ½ months of 2019 these findings show that the rapid pace of the coronavirus epidemic developed at least roughly as the number of 5g antennae became extraordinarily high so we have this finding that chinas 1st 5g smart city and smart highway is the epicenter of this epidemic and this finding that the epidemic only became rapidly more severe as the numbers of 5g antennae skyrocketed are these findings coincidental or does 5g have some causal role in exacerbating the coronavirus epidemic in order to answer that question we need to determine whether the downstream effects of vgcc activation exacerbate the viral replication the effects of viral infection especially those that have roles in the spread of the virus and also the mechanism by which this coronavirus causes deathaccordingly the replication of the viral rna is stimulated by oxidative stress", + "http://www.electrosmogprevention.org/", + "FAKE", + 0.05567567567567566, + 369 + ], + [ + "Dr. Osborne recommended boosting immunity to prevent the virus by taking 150,000 IUs of Vitamin D a day for three days.", + "there is no cure for coronavirus yet but taking daily doses of 5000 milligrams of vitamin c and 150000 ius of vitamin d for three days could help boost the immune system also recommended 25000 ius of vitamin a a day for two weeks which is more than twice the upper recommended limit ", + "YouTube", + "FAKE", + 0.16666666666666666, + 53 + ], + [ + "Three Intravenous Vitamin C Research Studies Approved for Treating COVID-19", + "intravenous vitamin c is already being employed in china against covid19 coronavirus i am receiving regular updates because i am part of the medical and scientific advisory board to the international intravenous vitamin c china epidemic medical support team its director is richard z cheng md phd associate director is hong zhang phd among other team members are qi chen phd associate professor kansas university medical school jeanne drisko md professor university of kansas medical school thomas e levy md jd and atsuo yanagisawa md phd professor kyorin university tokyo to read the treatment protocol information in englishdirect report from china omns chinese edition editor dr richard cheng is reporting from china about the first approved study of 12000 to 24000 mgday of vitamin c by iv the doctor also specifically calls for immediate use of vitamin c for prevention of coronavirus covid19 a second clinical trial of intravenous vitamin c was announced in china on feb 13th in this second study says dr cheng they plan to give 6000 mgday and 12000 mgday per day for moderate and severe cases we are also communicating with other hospitals about starting more intravenous vitamin c clinical studies we would like to see oral vitamin c included in these studies as the oral forms can be applied to more patients and at home additional information\nand on feb 21 2020 announcement has been made of a third research trial now approved for intravenous vitamin c for covid19 dr cheng who is a us boardcertified specialist in antiaging medicine adds vitamin c is very promising for prevention and especially important to treat dying patients when there is no better treatment over 2000 people have died of the coiv19 outbreak and yet i have not seen or heard large dose intravenous vitamin c being used in any of the cases the current sole focus on vaccine and specific antiviral drugs for epidemics is misplacedhe adds that early and sufficiently large doses of intravenous vitamin c are critical vitamin c is not only a prototypical antioxidant but also involved in virus killing and prevention of viral replication the significance of large dose intravenous vitamin c is not just at antiviral level it is acute respiratory distress syndrome ards that kills most people from coronaviral pandemics sars mers and now ncp ards is a common final pathway leading to deathwe therefore call for a worldwide discussion and debate on this topicnews of vitamin c research for covid19 is being actively suppressed anyone saying that vitamin therapy can stop coronavirus is already being labeled as promoting false information and promulgating fake news even the sharing of verifiable news and direct quotes from credentialed medical professionals is being restricted or blocked on social media you can see sequential examples of this phenomenon at my facebook pageindeed the world health organization who has literally met with google and facebook and other media giants to stop the spread of what they declare to be wrong informationphysiciandirected hospitalbased administration of intravenous vitamin c has been marginalized or discredited scientific debate over covid19 appears to not be allowedironically facebook blocking any significant users sharing of the news of approved vitamin therapy research is itself blocked in china by the chinese government as for the internet yes china has it and yes it is censored but significantly the chinese government has not blocked this real news on how intravenous vitamin c will save lives in the covid19 epidemic here is the protocol as published in chinesemedical orthodoxy obsessively focuses on searching for a vaccine andor drug for coronavirus covid19 while they are looking for what would be fabulously profitable approaches we have with vitamin c an existing plausible clinically demonstrated method to treat what coronavirus patients die from severe acute respiratory syndrome or pneumoniaand it is available right now", + "http://orthomolecular.org/", + "FAKE", + 0.09545329670329673, + 636 + ], + [ + "The Coronavirus 5G Connection and Coverup", + "the storythe china coronavirus covid19 rose to public attention late december 2019 but certain events october 2019 either planned for or precipitated it such as the rollout of 5g in wuhanthe implicationswhat is the coronavirus5g connection is this bioweapon an excuse for mandatory vaccination including dna vaccines which can be injected using a technique very similar to the emf pulsed waves of 5g the china coronavirus 5g connection is a very important factor when trying to comprehend the coronavirus formerly abbreviated 2019ncov now covid19 outbreak various independent researchers around the web for around 23 weeks now have highlighted the coronavirus5g link despite the fact that google as the selfappointed nwo censorinchief is doing its best to hide and scrub all search results showing the connection the coronavirus 5g connection doesnt mean the bioweapons connection is false its not a case of eitheror but rather broadens the scope of the entire event wuhan was one of the test cities chosen for china 5g rollout 5g went live there on october 31st 2019 almost exactly 2 months before the coronavirus outbreak began meanwhile many scientific documents on the health effects of 5g have verified that it causes flulike symptoms this article reveals the various connections behind the coronavirus phenomenon including how 5g can exacerbate or cause the kind of illness you are attributing to the new virus the rabbit hole is deep so lets take a dive5g a type of directed energy weaponfor the deeper background to 5g read my 2017 article 5g and iot total technological control grid being rolled out fast many people around the world including concerned citizens scientists and even governmental officials are becoming aware of the danger of 5g this is why it has already been banned in many places worldwide such as brussels the netherlands and parts of switzerland ireland italy germany the uk the usa and australia after all 5g is not just the next generation of mobile connectivity after 4g it is a radical and entirely new type of technology a military technology used on the battlefield that is now being deployed military term in the civilian realm it is phased array weaponry being sold and disguised as primarily a communications system when the frequency bands it uses 24ghz 100ghz including mmw millimeter waves are the very same ones used in active denial systems ie crowd control even mainstream wikipedia describes active denial systems as directed energy weaponry it disperses crowds by firing energy at them causing immediate and intense pain including a sensation of the skin burning remember directed energy weapons dew are behind the fall of the twin towers on 911 and the fake californian wildfiresnumerous scientists have warned of the dangerous health effects of 5g for instance in this 5g appeal from 2017 entitled scientists and doctors warn of potential serious health effects of 5g scientists warned of the harmful of nonionizing rfemf radiationif you listen to mark steele and barrie trower youll get an idea of the horrifying effects of 5g in this interview trower echoes the above quote by stating how 5g damages the immune system of trees and kills insects he reveals how in 1977 5g was tested on animals in hopes of finding a weapon the results were severe demyelination stripping the protective sheath of nerve cells some nations are now noticing a 90 loss of insects including pollinating insects like bees which congregate around lampposts where 5g is installed \nwuhan military games and event 201 simulationif you dig deep enough some disturbing connections arise between 5g and the men who have developed or are developing vaccines for novel viruses like ebola zika and the new coronavirus covid19 in a fantastic piece of research an author under the pen name of annie logical wrote the article corona virus fakery and the link to 5g testing that lays out the coronavirus 5g connection there is a ton of information so i will break it all down to make it more understandablefrom october 1827th 2019 wuhan hosted the military world games and specifically used 5g for the first time ever for the event also on october 18th 2019 in new york the johns hopkins center in partnership with world economic forum wef and the bill and melinda gates foundation hosted event 201 a global pandemic exercise which is a simulation of a pandemic guess what virus they happen to choose for their simulation a coronavirus guess what animal cells they use pig cells covid19 was initially reported to be derived from a seafood market and the fish there are known to be fed on pig waste event 201 includes the un since the wef now has a partnership agreement with un big pharma johnson and johnson bill gates key figure in pushing vaccines human microchipping and agenda 2030 and both china and americas cdc participants in event 201 recommended that governments force social media companies to stop the spread of fake news and that ultimately the only way to control the information would be for the who world health organization part of the un to be the sole central purveyor of information during a pandemicinovio electroporation and 5gas reported on january 24th 2020 us biotech and pharmaceutical company inovio received a 9 million grant to develop a vaccine for the coronavirus inovio got the money grant from the coalition for epidemic preparedness innovations cepi however they already have an existing partnership with cepi in april 2018 they got up to 56 million to develop vaccines for lassa fever and middle east respiratory syndrome mers cepi was founded in davos by the governments of norway and india the wellcome trust and the participants of event 201 the bill and melinda gates foundation and the wef cepis ceo is the former director of barda us biomedical advanced research and development authority which is part of the hhs inovio claimed they developed a coronavirus vaccine in 2 hours on the face of it such a claim is absurd what is more likely is that they are lying or that they already had the vaccine because they had the foreknowledge that the coronavirus was coming and was about to be unleashedso who owns and runs inovio two key men are david weiner and dr joseph kim weiner was once kims university professor weiner was involved with developing a vaccine for hiv and zika you can read my articles about zika here and here where i exposed some of the lies surrounding that epidemic kim was funded by merck a large big pharma company and produced something called porcine circovirus pcv 1 and pcv 2 as mentioned above there is a link between pig vaccinespig dna and the coronavirus annie logical notes that it has long been established that seafood in the area is fed on pig waste kim served a 5year tenure as a member of the wefs global agenda council yet another organ pushing the new world order one world government under the banner of agenda 2030 global governanceweiner is an employee and advisor to the fda is considered a dna technology expert and pioneered a new dna transference method called electroporation a microbiology technique which uses an electrical pulse to create temporary pores in cell membranes through which substances like chemicals drugs or dna can be introduced into the cell this technique can be used to administer dna vaccines which inject foreign dna into a hosts cells that changes the hosts dna this means if you take a dna vaccine you are allowing your dna to be changed as if vaccines werent already horrific enough but heres the kicker electroporation uses pulsed waves guess what else uses pulsed waves 5g this is either a startling coincidence or evidence or a sinister coronavirus 5gconnection the same action that 5g technology uses in pulsed waves and the coronavirus was reported to have started in an area in china that had rolled out 5g technology so we can see how geneticists using scientists are tampering with the building blocks of our existence and what is disturbing is that prof wiener is a hiv pioneer and we know that soon after the polio vaccines were given to millions in africa that hiv emerged they have perfected the art of injecting animal or bird dna into human chromosomes which alters our dna and causes things like haemorrhaging fever cancers and even deathspeaking of hiv which is not the same things as aids but that is another story remember also that a group of indian scientists put out their research that the virus was manmade and had hiv inserts they found that 4 separate hiv genes were randomly embedded within the coronavirus these genes somehow converged to create receptor sites on the virus that were identical to hiv which was a surprise due to their random placement they also specifically stated that this was not likely to happen naturally unlikely to be fortuitous in nature in yet another example of egregious censorship these scientists were pressured to withdraw their work5g and electroporation dna vaccines both producing pulsed emf waves consider the implications of this for a moment the technology exists to use emfs to open your very skin pores and inject foreign dna into your bloodstream and cells this is an extreme violation of your bodily sovereignty and it can have longterm effects because of genetic mutation changing your very dna which is the biological blueprint and physical essence of who you arewhat if 5g mimics electroporation what if 5g can do on a large scale what electroporation does on a small scale we already know that 5g has the potential to be mutagenic dnadamaging the frequencies that 5g uses especially 75100ghz interact with the geometrical structure of our skin and sweat ducts acting upon them like a transmission reaching an antenna and fundamentally affecting us and our moodwhat if 5g is being used to open up the skin of those in wuhan so as to allow the new bioweapon coronavirus to infiltrate more easilymandatory vaccines depopulation and transhumanismso whats at the bottom of the coronavirus5g connection rabbit hole i would suggest we find mandatory vaccine agenda the depopulation agenda and transhumanist agenda via dna vaccines the key figures and groups who appear to have planned this already have the vaccine in place just as they did for the other epidemics that fizzled out sars ebola and zika weiner even has links to hivaids and if you dive into that as jon rappoport did you find gaping holes in that storyits the same epidemicpandemic game played out every 23 years theres a couple of versions in the first version you invent a virus hype it up get people scared do ineffectual and inconclusive tests eg like the pcr test which measures if a viral fragment is present but doesnt tell you the quantities of whether it would actually causing the disease inflate the body count justify quarantinemartial law and brainwash people into thinking they have to buy the toxic vaccine and introduce mandatory vaccination you dont even need a real virus or pathogen for the version in the second version you create a virus as a bioweapon release it as a test pretend it was a natural mutation watch how many people it kills which helps with the eugenics and depopulation agendas again justify martial law again justify the need for mandatory vaccines and even pose as the savior with the vaccine that stops it as a variation on this second version you can even develop a racespecific bioweapon so as to reduce the population of rival nations or enemy races as a geopolitical strategy this article suggests that the coronavirus targets chinese peopleasians more than others and certainly the official death count attests to that although its always hard to trust governmental statistics annie logical gives her takethe con job goes like thispoison the population purposely to create disease that does not and would never occur naturally parlay the purposely created disease as being caused by something invisible outside the realm of control or knowledge of the average person create a toxic vaccine or medication that was always intended to further poison the population into an early grave parlay the vaccine or medication poisoning as proof the disease which never existed is much worse than anticipated increase the initial poisoning which is marketed as a fake disease and also increase the vaccine and medication poisoning to start piling the bodies into the stratosphere repeat as many times as possible upon an uninformed population because killing a population this way the art of having people line up to kill themselves with poisonknown as a soft kill method is the only legal way to make sure such eugenic operations can be executed on mass and in plain sightdna vaccines are a disturbing new advancement for transhumanism after all the objective of the transhumanist agenda is to merge man with machine and in doing so wipe out what fundamentally makes us human so we can be controlled and overtaken by a deeply sinister and negative force its all about changing us at the fundamental level or attacking human sovereignty itself dna vaccines fit right in with that literally changing your dna by forcefully inserting foreign dna to change your genetics with consequences no one could possibly fully foresee and predictone last coronavirus5g connection finally i will finish with another coronavirus5g connection the word coronavirus itself refers to many kinds of viruses by that name not just covid19 guess who owns a patent for a coronavirus strain not sars cov2 or covid19 that can be used to develop a vaccine the pirbright institute and guess who partially owns them bill gates as you can read here pirbright is being supported in their vaccine developement endeavors by a british company innovate uk who also funds and supports the rollout of 5g innovate uk ran a competition in 2018 with a 15 million share out to any small business that could produce vaccines for epidemic potentialthe motivation to hype and the motivation to downplay history has shown that in cases of epidemics or fake epidemics there is almost always a morass of conflicting reports and contradictory information in such situations it can be very difficult to get to the bottom of the matter and find the truth the conflict stems from the different motivations of nations governments and other interested groups essentially there are 2 main motivations the motivation to hype exaggerate and use fear to grab attention sell something make a group look badincompetent make people scared make the public accept mandatory vaccination and martial law and the motivation to downplay cover up and hide the true extent of the damage morbidity or mortality so as to appear competent and in control to lessen possible anger backlash or disorder sometimes these 2 motivations may drive the behavior of the same group eg in the case of the chinese government it has the motivation to hype to get people afraid so they easily follow its draconian quarantine rules and the motivation to downplay so as to appear in the eyes of its people and the rest of the entire world to have the situation under control to ensure saving face credibility and a good reputation\nfinal thoughts on the coronavirus 5g connection governments around the world have experimented with bioweapons both on their own citizens and foreign citizens and even sold that research to other governments for their own benefit eg japans notorious unit 731 which developed bioweapons in china only to hand over that research to the us after losing world war 2 see bioweapons lyme disease weaponized ticks plum island more for a brief history of the usgs usage of weaponized ticks which resulted in lyme disease the evidence that covid19 is a bioweapon is overwhelming and so is the evidence that 5g is involved to either cause the flulike symptomspneumonia people have been experiencing andor to exacerbate the virulence of the virus by weakening peoples immune systems and subjecting them to pulsed waves of emf to open up their skin to foreign dna fragments including viruses\nremember there are many nwo agendas accompanying the coronavirus remember too there was chinese government foreknowledge\nin this kinds of story there are no major coincidences only connections and conspiracies waiting to be uncovered", + "https://thefreedomarticles.com/", + "FAKE", + 0.014680407975862522, + 2721 + ], + [ + "US Hospitals Getting Paid More to Label Cause of Death as ‘Coronavirus’", + "senator scott jensen represents minnesota hes also a doctor he appeared on fox news with laura ingram where he revealed a very disturbing piece of informationdr scott jensen says the american medical association is now encouraging doctors to overcount coronavirus deaths across the countryjensen received a 7page document that showed him how to fill out a death certificate as a covid19 diagnosis even when there isnt a lab test confirming the diagnosisright now medicare is determining that if you have a covid19 admission to the hospital you get 13000 if that covid19 patient goes on a ventilator you get 39000 three times as much nobody can tell me after 35 years in the world of medicine that sometimes those kinds of things impact on what we do dr sen scott jensen from fox interviewthis is absolutely bonechilling", + "https://www.globalresearch.ca/", + "FAKE", + -0.05, + 137 + ], + [ + "GATES’ GLOBALIST VACCINE AGENDA: A WIN-WIN FOR PHARMA AND MANDATORY VACCINATION", + "vaccines for bill gates are a strategic philanthropy that feed his many vaccinerelated businesses including microsofts ambition to control a global vaccination id enterprise and give him dictatorial control of global health policygates obsession with vaccines seems to be fueled by a conviction to save the world with technologypromising his share of 450 million of 12 billion to eradicate polio gates took control of indias national technical advisory group on immunization ntagi which mandated up to 50 doses table 1 of polio vaccines through overlapping immunization programs to children before the age of five indian doctors blame the gates campaign for a devastating nonpolio acute flaccid paralysis npafp epidemic that paralyzed 490000 children beyond expected rates between 2000 and 2017 in 2017 the indian government dialed back gates vaccine regimen and asked gates and his vaccine policies to leave india npafp rates dropped precipitouslythe most frightening polio epidemics in congo afghanistan and the philippines are all linked to vaccines\nin 2017 the world health organization who reluctantly admitted that the global explosion in polio is predominantly vaccine strain the most frightening epidemics in congo afghanistan and the philippines are all linked to vaccines in fact by 2018 70 of global polio cases were vaccine strainin 2014 the gates foundation funded tests of experimental hpv vaccines developed by glaxo smith kline gsk and merck on 23000 young girls in remote indian provinces approximately 1200 suffered severe side effects including autoimmune and fertility disorders seven died indian government investigations charged that gatesfunded researchers committed pervasive ethical violations pressuring vulnerable village girls into the trial bullying parents forging consent forms and refusing medical care to the injured girls the case is now in the countrys supreme courtsouth african newspapers complained we are guinea pigs for the drug makersin 2010 the gates foundation funded a phase 3 trial of gsks experimental malaria vaccine killing 151 african infants and causing serious adverse effects including paralysis seizure and febrile convulsions to 1048 of the 5949 childrenduring gates 2002 menafrivac campaign in subsaharan africa gates operatives forcibly vaccinated thousands of african children against meningitis approximately 50 of the 500 children vaccinated developed paralysis south african newspapers complained we are guinea pigs for the drug makers nelson mandelas former senior economist professor patrick bond describes gates philanthropic practices as ruthless and immoralin 2010 gates committed 10 billion to the who saying we must make this the decade of vaccines a month later gates said in a ted talk that new vaccines could reduce population in 2014 kenyas catholic doctors association accused the who of chemically sterilizing millions of unwilling kenyan women with a tetanus vaccine campaign independent labs found a sterility formula in every vaccine tested after denying the charges who finally admitted it had been developing the sterility vaccines for over a decade similar accusations came from tanzania nicaragua mexico and the philippinesa 2017 study morgenson et al 2017 showed that whos popular dtp vaccine is killing more african children than the diseases it prevents dtpvaccinated girls suffered 10x the death rate of children who had not yet received the vaccine who has refused to recall the lethal vaccine which it forces upon tens of millions of african children annuallyglobal public health officials say he has diverted agency resources to serve his personal philosophy that good health only comes in a syringeglobal public health advocates around the world accuse gates of steering whos agenda away from the projects that are proven to curb infectious diseases clean water hygiene nutrition and economic development the gates foundation only spends about 650 million of its 5 billion dollar budget on these areas they say he has diverted agency resources to serve his personal philosophy that good health only comes in a syringein addition to using his philanthropy to control who unicef gavi and path gates funds a private pharmaceutical company that manufactures vaccines and additionally is donating 50 million to 12 pharmaceutical companies to speed up development of a coronavirus vaccine in his recent media appearances gates appears confident that the covid19 crisis will now give him the opportunity to force his dictatorial vaccine programs on american children", + "https://www.wakingtimes.com/", + "FAKE", + 0.026161616161616153, + 688 + ], + [ + "Cuomo considers banning cigarette sales for six weeks amid Coronavirus outbreak", + "governor andrew cuomo is considering a temporary sixweek ban on the sale of combustible cigarettes in order to reduce the states coronavirus death count a source familiar with his thinking tells the chronicle the ban could come as soon as monday and is expected to be included in a budget measure already scheduled to be announced new data out of italy suggest that the nations whopping coronavirus death rate now approaching 10 of those who test positive is highly correlated to cigarette use italian men smoke cigarettes at rates that far outpace most other developed countries and the extreme shortage of ventilators there has been the cause of death for tens of thousands of smokers according to italys national health institute smokers with covid19 were onethird more likely to have a serious clinical situation than nonsmokers half of these smokers required a ventilator for many weeks it was observed that women in italy are better able to overcome the virus than men italian doctors now believe that the statistical difference is attributable to smokingrelated gender norms covid19 kills its victims by compromising the respiratory system and reducing oxygen levels in the blood regular cigarette use damages the airways and small air sacs in the lungs combustible cigarettes weaken smokers lungs by filling them with smoke and tar when a smoker contracts covid19 he or she will be far more likely to suffer respiratory system failure thereby exacerbating new yorks ventilator shortage cuomo plans to say in remarks prepared for monday fortunately medical science informs us that exsmokers experience significant recovery in lung function and oxygen absorption as soon as they quit smoking former smokers recover 30 of their lung function just two weeks after quitting any exsmoker can tell you how just days after quitting they were noticeably less out of breath after walking up a flight of stairs personally i have heard hundreds of these stories he writes in draft remarks dr howard zucker the commissioner of health is prodding cuomo to issue the temporary ban and discussed the issue with him privately earlier this week zucker has long advocated for additional restrictions on combustible cigarette sales which causes more than 443000 deaths annually more deaths each year than from murder car accidents alcohol or drug use suicides and hiv combined its estimated that 81000 people will die from covid19 zucker argues that a ban on cigarette sales for the duration of the outbreak will save thousands of lives and will reduce the states shortage of ventilators perhaps by several thousand during its peak expected to hit the state 21 days from today therefore the governors advisors postulate if new york takes immediate action and temporarily bans combustible cigarette sales during this public health crisis exsmokers respiratory systems will make significant recovery at the very same time that covid19 cases are peaking in new york this will save lives and not just the lives of smokers the governor plans to say every former smoker that gets sick but does not need a ventilator means one more ventilator is available to keep our aging parents and grandparents alive importantly we must also recognize that failing to temporarily ban combustible cigarettes immediately will cause a disproportionate increase in covid19 fatalities in minority communities given the higher prevalence of immunodeficiencies in these communities he plans to note the governors supporters argue that it is more important now than ever to address the public health cost of combustible cigarettes not just to save the lives of smokers but to save the lives of all new yorkers by mitigating the severity of a ventilator shortage", + "https://buffalochronicle.com/", + "FAKE", + 0.12175403384494296, + 601 + ], + [ + null, + "wuhan is where 5g was rolled out first5g wrecks immune systems and that is why people in wuhan are suffering with this illnessthe wuhan coronavirus is a more virulent version of the normal cold", + "https://electromagnetichealth.org/", + "FAKE", + 0.01666666666666668, + 34 + ], + [ + "People learned about the coronavirus created in the US laboratory in 2015. They decided: a pandemic is no coincidence", + "the covid2019 epidemic which began in the chinese city of wuhan managed to get out of china and spread throughout the world in two months in midmarch an article became popular in social networks according to which a dangerous strain was artificially created as part of a study of bat coronavirus by american scientists the scientific work was written by a team of biologists back in 2015 on november 9 of the same year it was published on the scientific portal nature researchers studied the shco14 virus found in chinese horseshoe bats scientists combined this strain with another its name is sars and it causes a severe acute respiratory syndrome or sars further the researchers generated and characterized a chimeric virus that can multiply in the primary cells of the human respiratory tract in other words biologists altered the coronavirus of bats so much that they got a strain that could infect a person and the virus would cause severe pneumonia in him among the authors of the article are listed as researchers at the university of north carolina usa and the wuhan virology institute china in 2020 users of social networks read the old scientific material and they had suspicions about who is behind the covid2019 epidemic if some people having read the article decided to share with subscribers the very fact of its existence then others are already building theories they are sure the coronavirus epidemic is the work of the us government and one of the goals of this diversion was to strike at its own citizens on russianlanguage twitter they also looked at the results of a study by scientists willy wilmer a german lawyer and politician really believes that the coronavirus was brought to china by infected american soldiers who arrived in the country for sporting events people agree with his version and are ready to blame the united states for thousands of deaths some users are sure that there are only two countries that will repel the united states in the situation with coronavirus although they do not yet say how they will do it and someone was not at all surprised that the united states was considered the culprit of the pandemic the comments did not answer the question however a military event was indeed held in china the world war games were held in wuhan at the end of october 2019 probably willy wimmer referred to them at least a former member of the un commission on biological and chemical weapons igor nikulin interpreted the assumption of the german politician exactly and completely agree with him both politicians came to such conclusions not without reason these thoughts were prompted by the representative of the ministry of foreign affairs of china zhao lijian who also believes that covid2019 was brought into his country by the us military users who commented on a post about willy wimmers words and laboratory research in north carolina 2015 are sure that americans are really to blame for everything and only because of their attitude to the rest of the world but it was not difficult for other users to guess which television channel most commentators prefer to watch and another commentator suggested that the reason for such hatred of people towards the usa is the refusal of medicines another commentator who learned about the experiments in the laboratory of north carolina easily believed in the guilt of the states and even suggested what to do with this country the news that the coronavirus reached the united states this person is very happy but there is an assumption that the united states came up with a coronavirus not only for china but also for other countries for each nationality its own separate strain in fact while the virus supposedly created in 2015 is being discussed only by politicians and scientists far from laboratories until now specialists in the region have not published the results of comparisons of strains even before people learned about research in the north carolina laboratory they were building theories about where the coronavirus came from and there was nothing to do with natural causes in their research the main suspects were god putin and the marxist revolutionaries there are other considerations in this regard before the coronavirus spread around the world and caused a pandemic users of social networks began to speculate about who was behind it bill gates and his wife came under fire from conspiracy theorists ", + "https://medialeaks.ru/", + "FAKE", + 0.09429824561403508, + 744 + ], + [ + "dr fauci caught sponsoring wuhan lab millions", + "but just last year the national institute for allergy and infectious diseases the organization led by dr fauci funded scientists at the wuhan institute of virology and other institutions for working on gainoffunction research on bat coronavirusesin 2019 with the backing of niaid the national institutes of health committed 37 million over six years for research that included some gainoffunction work the program followed another 37 million 5 year project for collecting and studying bat coronaviruses which ended in 2019 bringing the total to 74 million many scientists have criticized the gain of function research which involves manipulating viruses in the lab to explore their potential for infecting humans because it creates a risk of starting a pandemic from accidental releasethe nih research consisted of two parts the first part began in 2014 and involved surveillance of bat coronaviruses and had a budget of 37 million the program funded shi zhengli a virologist at the wuhan lab and other researchers to investigate and catalog bat coronaviruses in the wild this part of the project was completed in 2019a second phase of the project beginning that year included additional surveillance work but also gainoffunction research for the purpose of understanding how bat coronaviruses could mutate to attack humans nih canceled the project just this past friday april 24tha decade ago during a controversy over gainoffunction research on birdflu viruses dr fauci played an important role in promoting the work he argued that the research was worth the risk it entailed because it enables scientists to make preparations such as investigating possible antiviral medications that could be useful if and when a pandemic occurred the work in question was a type of gainoffunction research that involved taking wild viruses and passing them through live animals until they mutate into a form that could pose a pandemic threatthe work entailed risks that worried even seasoned researchers more than 200 scientists called for the work to be halted the problem they said is that it increased the likelihood that a pandemic would occur through a laboratory accident in 2014 under pressure from the obama administration the national of institutes of health instituted a moratorium on the work suspending 21 studies three years later thoughin december 2017the nih ended the moratorium and the second phase of the niaid project which included the gainoffunction research began ", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.10619834710743802, + 390 + ], + [ + "WESTERN MEDIA TALKS UP BIG PHARMA’S SEARCH FOR CORONAVIRUS VACCINE WHILE IGNORING USE OF HIGH DOES VITAMIN C TO SAVE LIVES IN CHINA", + "clinical trials using high dose vitamin c therapy in china ignored by western media new york hospitals now using vitamin c therapy to treat coronavirus patients not a day passes without some hyped up media story of how bigpharma is racing to the rescue of humanity with its search for a coronavirus vaccine there are over 40 companies now searching for a vaccine collectively they are spending huge sums of money supported by lavish amounts of tax payer cash estimates of how soon a vaccine can be produced vary wildly but most estimates agree that it is unlikely to happen this year it goes without saying that the first to market with a usable vaccine stands to make billions of dollarsthe mainstream media scientific and political establishments are completely under the spell of big pharma governments reassure the public that theyre doing everything in their power to protect them with a variety of measures these range from mass lock downs and trillion dollar bailouts for big business to limited amounts of helicopter money for the citizens of wealthier countriesregardless of where you live if you have to go to hospital with symptoms of the coronavirus the key question facing you is will you be able to leave walking out front door or will you end up being wheeled out the basement back doorthe mainstream media in cahoots with governments and the medical establishment are suppressing any news regarding the use of a cheap safe and easy to produce treatment for coronavirus patients maybe its because this treatment is being used in chinese hospitals to save lives lets face it there has been no let up in cold war 20 during the current pandemic\ndr andrew w saul editor in chief of the orthomolecular medicine news service sums up the western big pharma approach nicely when he saysmedical orthodoxy obsessively focuses on searching for a vaccine andor drug for coronavirus covid19 while they are looking for what would be fabulously profitable approaches we have with vitamin c an existing plausible clinically demonstrated method to treat what coronavirus patients die from severe acute respiratory syndrome or pneumoniaon 17 march a group of chinese physicians held a video conference to discuss the use of high dose intravenous vitamin c for patients with moderate to severe cases of corona virus the keynote speaker at this meeting was dr enqian mao chief of the emergency medicine department of ruiijin hospital in shanghaidr mao is also a senior member of the expert team at the shanghai public health centre where all coronavirus patients have been treated from the shanghai area dr mao was also a coauthor of the medical protocol for the treatment of coronavirus that has been adopted by the shanghai medical association and the government of shanghai this medical protocol also advocates the use of highdose intravenous vitamin c for the treatment of mild moderate and severe cases of the coronavirusover the last decade dr mao has been using highdose intravenous vitamin c ivc to treat patients with a variety of acute medical conditions ranging from pancreatitis and sepsis to surgical wound healing when the coronavirus epidemic first broke out he and several other colleagues thought that highdose intravenous c could be a potential treatment for patients presenting with the coronavirus their recommendation for the use of highdose intravenous vitamin c as a treatment was adopted by the shanghai expert teamdr richard cheng an americanchinese doctor currently based in shanghai has given a report of this meeting he notes thatdr mao stated that his group treated 50 cases of moderate to severe cases of covid19 infection with high dose ivc the ivc dosing was in the range of 10000 mg 20000 mg a day for 710 days with 10000 mg for moderate cases and 20000 for more severe cases determined by pulmonary status mostly the oxygenation index and coagulation status all patients who received ivc improved and there was no mortality compared to the average of a 30day hospital stay for all covid19 patients those patients who received high dose ivc had a hospital stay about 35 days shorter than the overall patients dr mao discussed one severe case in particular who was deteriorating rapidly he gave a bolus of 50000 mg ivc over a period of 4 hours the patients pulmonary oxygenation index status stabilized and improved as the critical care team watched in real time there were no side effects reported from any of the cases treated with high dose ivc dr cheng also reported that he had a separate meeting with dr sheng wang professor of critical medicine of shanghais 10th hospital tongji university college of medicine at this meeting professor weng said that there were several important lessons to be learned from shanghais experience treating patients with the coronavirus the most important lesson wasearly and highdose ivc is quite helpful in helping covid19 patients the data is still being finalized and the formal papers will be submitted for publication as soon as they are completeprofessor wang also stated that coronavirus patients displayed a high rate of hypercoagulability ie an abnormally increased tendency toward blood clotting which is best treated with heparinhe also stated that it was vitally important for front line medical professionals to wear protective clothing at the earliest opportunity for intubation and other emergency rescue measures the american health authorities should take notice of this considering that pictures of nurses in new york wearing black plastic refuse sacks have been appearing on social mediarichard chang has also noted that professors mao and weng have stated that highdose intravenous vitamin c is being used as a treatment for coronavirus patients in other hospitals around chinanot surprisingly reports of this cheap safe treatment that has been pioneered in china have been being completely ignored by western governments and the medical establishments that are beholden to the big pharma approach to the current pandemicthankfully there are doctors in the west who are not blinded by the close minded approach pursued by their governments and so called medical experts apparently doctors at several hospitals in new york which is the epicentre of the coronavirus epidemic in america have started to use the pioneering treatments coming out of chinadr andrew g weber a pulmonologist and criticalcare specialist affiliated with two northwell health facilities on long island has said that coronavirus patients admitted to intensive care immediately receive 1500 mg of intravenous vitamin c this dosage is then repeated 34 times a dayaccording to dr weber this treatment regime is based upon the experimental use of highdose vitamin c in shanghais hospitals he told the new york postthe patients who received vitamin c did significantly better than those who did not get vitamin c it helps a tremendous amount but it is not highlighted because its not a sexy drugapparently highdose intravenous vitamin c is been used in hospitals across new york sadly its use appears to be patchy and is dependent upon the whims of individual doctors rather than being part of any systematic medical protocolas the global death toll soars higher we can only hope that more and more doctors will follow in the footsteps of their chinese colleagues and have the courage to use a safe and cheap treatment that is totally at odds with the big pharma approach currently followed by the world health organisation and most governments the current approach used by many western governments has been slow clumsy and ill informed putting the interests of big business above saving the lives of ordinary people", + "https://southfront.org/", + "FAKE", + 0.12004310661090324, + 1256 + ], + [ + "Video: Coronavirus Treatment: New York Doctor Vladimir Zelenko Finds 100% Success Rate in 350 Patients Using Hydroxychloroquine with Zinc", + "this is a potential slap in the face to the cdc the us media and big pharma which is developing a multibillion dollar vaccination programbig pharmas intent with the support of the western media is to suppress relevant information on the features of the virus and how it can be cured treatment is currently the object in several countries including the us of debate by virologists and physicians dr zelenkos treatment on the use of hydroxychloroquine is in this regard of utmost importancemichel chossudovsky global research march 24 2020note to our readers do not take medicine without a formal prescription from your physician or family doctorover the weekend dr vladimir zelenko from new york state announced he has found a treatment against the coronavirus with a 100 success rate on 350 patientsdr zelenko joined sean hannity earlier today on his radio program to discuss the results from his testthe new york doctor also posted a video explaining his success with hydroxychloroquine and zinc his treatment resulted in the shortness of breath issue being resolved in 4 to 6 hours dr zelenko in his study had zero deaths zero hospitalizations and zero intubationslater on monday evening sean hannity invited two more medical experts on to discuss dr zelenkos coronavirus resultsthe two doctors were cautiously optimisticvia hannitywe updated this post to note dr zelenko used zinc supplement and not zpaks in his treatment", + "https://www.globalresearch.ca/", + "FAKE", + 0.1266233766233766, + 231 + ], + [ + "CEO Resignations Are Linked To Global Conspiracy", + "right before corona virus cameceo of disney stepped down ceo of tinder hinge okcupid match all stepped down ceo of hulu stepped down ceo of medmen stepped down ceo of l brands like victoria secret bath and body works stepped down ceo of salesforces stepped down ceo of harley davidson stepped down ceo of ibm stepped down ceo of t mobile stepping down ceo of linkedin stepping down ceo of mastercard is stepping down and soooooo many more but lets just stick with these that most know about", + "Facebook", + "FAKE", + -0.02033730158730164, + 88 + ], + [ + "US USES TERRORISM AND CORONAVIRUS IN SYRIA", + "the americans have exhausted all their means in syria first with the military support of terrorism the incitement of turkey the mobilisation of the gulf countries and the encouragement of the israelis to carry out an air raid on targets near damascus all of these movements did not help in this regard the americans called for help the dangerous epidemic of coronavirus accusing iran of causing the death of individuals from lebanon the gulf countries pakistan and afghanistan with an infection that moved from neighbouring iranian landswill corona save american influence in syria and iraq and stifle iran this is what pompeo wants but the countries that are targeted by rumours of coronavirus are working to protect their people from the coronavirus epidemic and another more dangerous epidemic that is the american colonialism that makes great efforts to renew its youth", + "https://katehon.com/", + "FAKE", + 0.01363636363636364, + 141 + ], + [ + null, + "corona virus before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water salt or vinegar eliminates the virus", + "Facebook", + "FAKE", + 0.6, + 45 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposesscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to china fastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as thisaccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijackingbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "http://www.banned.news", + "FAKE", + 0.058711080586080586, + 649 + ], + [ + "The novel coronavirus contains “pShuttle-SN” sequence, proving laboratory origin.", + "a gene sequence in the 2019ncov genome which he named ins1378 is similar to part of the sequence of the pshuttlesn expression vector pshuttlesn was created in a laboratory as part of an effort to produce a potential sars vaccine based on this observation he posited that 2019ncov was a manmade virus that arose from the sars vaccine experiments", + "Facebook", + "FAKE", + 0, + 59 + ], + [ + "COVID-19 IS A BIOLOGICAL WEAPON CREATED BY BILL GATES, GEORGE SOROS AND THE “DEEP STATE”", + "covid19 is of course a biological weapon it has an artificial origin like this information wave raised around it and the creators are supposedly the former head of microsoft one of the richest people on the planet bill gates and the socalled benefactor george soros in addition the deep state with its centre in london is closely connected with these two the headquarter of this game is located in the british salisbury", + null, + "FAKE", + -0.2, + 72 + ], + [ + "MICROSOFT’S PATENT “666” INVOLVES MICROCHIPPING PEOPLE TO MONITOR DAILY ACTIVITY IN EXCHANGE FOR CRYPTOCURRENCY", + "microsoft has recently patented an invention that involves inserting microchips into peoples bodies in order to monitor their daily physical activities in exchange for cryptocurrency bill gatess interests in the pharmaceutical industry in vaccination and in world health organisation financing are constantly mentioned these dayswhy is the number assigned to the patent 060606 is this just a coincidence or was the number of the beast in the book of the apocalypse deliberately chosenalthough the globalist media attempts to portray bill gates as a great philanthropist and is trying to protect him from criticisms and attacks it is unlikely that they will be able to hide an entire network of connections right now new information about the coronavirus is emerging and globalist media are trying to hide it by blaming china for the pandemicthe implantation of microchips into peoples bodies is nothing new one example is the masonic youth child identification program in the us", + "https://www.geopolitica.ru/", + "FAKE", + 0.12349468713105076, + 154 + ], + [ + null, + "with this virus and any virus remember it hates the sun they die with heat hot showers baths sauna please hydrate increase c zinc vit d3 a selenium iodine gargle w warm salt water multiple times a day", + "Facebook", + "FAKE", + 0.2833333333333333, + 38 + ], + [ + null, + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + "Brief Summary of Evidence of Lab-Made 2019 nCoV", + "there are a lot of official news and poorquality academic articles from end of last dec show that no evidence about wild animals in huanan seafood market as intermediate host for 2019 ncov which can be explained in a detail way later hence one hypothesis of labmade 2019 ncov is recombined with sars rbd of s protein to human ace2 gene based on zs batcov esp mg7729331 going through in vitro and in vivo adaptation and amplification in a limited range in the lab generated an ideal strain 2019 ncov with effective rbd while the other comparable conserved sequence did not change much or even without any change e protein since stock virus kept in culture media at 80 slowly thaw it on ice could help the virus released in the environment betterplease download pdf to read more details", + "https://gnews.org/", + "FAKE", + 0.15029761904761904, + 139 + ], + [ + "Coronavirus: the real story (part 1)", + "when you start researching and reading about what is going on with this new virus you will be taken down a rabbit hole it might not be pretty but you will see the truth i am planning to write more about it later this week bill gates is a known eugenicist and he does not hide it he has claimed several times that we need to reduce the population on earth and he stated that vaccination is one tool to achieve just that maybe that is why his children are not vaccinated vaccination is an act of genocide it is a eugenic tool used by the globalists genocide is an intentional action to destroy a people in whole or in part that is what vaccines exactly do there is no conspiracy theory in what i am about to say everything is supported by facts and you can verify yourself this eugenic program which is vaccination takes root in the rockefeller and bill gates foundations several lines of current immunological contraceptive research continue to seek what during the 1930s max mason of the rockefeller foundation called antihormones vaccines to block hormones needed for very early pregnancy and a vaccine to block the hormone needed for the surface of the egg to function properly the rockefeller foundation launched massive fundingoperations into antifertility vaccines the task force on vaccines for fertility regulation was created under auspices of the world health organization world bank and the un population fund its mission according to one of its members to support basic and clinical research on the development of birth control vaccines directed against the gametes or the preimplantation embryo these studies have involved the use of advanced procedures in peptide chemistry hybridoma technology and molecular genetics as well as the evaluation of a number of novel approaches in general vaccinology as a result of this international collaborative effort a prototype antihcg vaccine is now undergoing clinical testing raising the prospect that a totally new family planning method may be available before the end of the current decade in regards to the scope of the task forces jurisdiction the biotechnology and development monitor reported the task force acts as a global coordinating body for antifertility vaccine rd in the various working groups and supports research on different approaches such as antisperm and antiovum vaccines and vaccines designed to neutralize the biological functions of hcg the task force has succeeded in developing a prototype of an antihcgvaccine if vaccines could be developed which could safely and effectively inhibit fertility without producing unacceptable side effects they would be an attractive addition to the present armamentarium of fertility regulating methods and would be likely to have a significant impact on family planning programs right there they openly claim that they are doing some research on antifertility vaccines in 1986 mr spieler a member of the task force declared a new approach to fertility regulation is the development of vaccines directed against human substances required for reproduction potential candidates for immunological interference include reproductive hormones ovum and sperm antigens and antigens derived from embryonic or fetal tissue an antifertility vaccine must be capable of safely and effectively inhibiting a human substance which would need somehow to be rendered antigenic a fertilityregulating vaccine moreover would have to produce and sustain effective immunity in at least 95 of the vaccinated population a level of protection rarely achieved even with the most successful viral and bacterial vaccines but while these challenges looked insuperable just a few years ago recent advances in biotechnology particularly in the fields of molecular biology genetic engineering and monoclonal antibody production are bringing antifertility vaccines into the realm of the feasible\n\nauthor jurriaan maessan stumbled upon some very compelling and important research back in 2010 while digging through annual reports for the rockefeller foundation that conclusively prove that it funded numerous research projects into the development antifertility vaccines with its origins in scientific research dating back to at least 1968 and with successful research conducted by at least 1988 there now exists several methods to sterilize both men and women by injection as well as to terminate pregnancies andor induce spontaneous abortions\n\nthe rockefeller family among others financed eugenics research at the kaiser wilhelm institute in nazi germany where some of the most horrifying scientific research was conducted including the work of josef mengele\n\nfollowing world war ii eugenics was rebranded to cast off its associations with the nazis and emerged as it were in the form of such social policy topics as population control family planning abortionplanned parenthood health care various types of genetics even laced in between such screeds as global warmingclimate change which leads to arguments about reducing the burden of overpopulation upon the earth\n\nbill gates and david rockefeller were the leading members of a billionaires club that met in secret to discuss how to strengthen measures for population control particularly in the developing world through the guise of philanthropy other notable members include ted turner george soros warren buffett oprah winfrey and michael bloomberg\n\nit sounds crazy but heres a paper to support these claims\n\nantifertility vaccines published in vaccine 1989 apr7297101\nvaccines are under development for the control of fertility in males and females this review discusses developments in antifertility vaccines at the national institute of immunology new delhi india a single injection procedure for the sterilization or castration of male animals depending on the site at which the injection is given has passed through field testing and is expected to be on the market in the near future vaccines inducing antibodies against the human chorionic gonadotropin have gone through phase i trials with satisfactory results a vaccine producing a consistently bioeffective antibody response against gonadotropinreleasing hormone is ready for phase iii clinical trials in patients of carcinoma of the prostate after due experimentation in animals and toxicology studies research to identify sperm antigens for incorporation into secondgeneration vaccines is in progress\n\nldhc4 a spermspecific mitochondrial antigen produced an antibody response in baboons and reduced fertility in the females animal fertility control vaccines will be shortly on the market but the use of recombinant dna techniques should also accelerate the development of others then another article in vaccine wkly 1995 may 29 jun 5910\n\ntetanus vaccine may be laced with an antifertility drug international developing countries\na priest president of human life international hli based in maryland has asked congress to investigate reports of women in some developing countries unknowingly receiving a tetanus vaccine laced with the antifertility drug human chorionic gonadotropin hcg if it is true he wants congress to publicly condemn the mass vaccinations and to cut off funding to un agencies and other involved organizations\n\nthe natural hormone hcg is needed to maintain pregnancy the hormone would produce antibodies against hcg to prevent pregnancy in the fall of 1994 the prolife committee of mexico was suspicious of the protocols for the tetanus toxoid campaign because they excluded all males and children and called for multiple injections of the vaccine in only women of reproductive age\n\nyet one injection provides protection for at least 10 years the committee had vials of the tetanus vaccine analyzed for hcg it informed hli about the tetanus toxoid vaccine hli then told its world council members and hli affiliates in more than 60 countries similar tetanus vaccines laced with hcg have been uncovered in the philippines and in nicaragua\n\nin addition to the world health organization who other organizations involved in the development of an antifertility vaccine using hcg include the un population fund the un development programme the world bank the population council the rockefeller foundation the us national institute of child health and human development the all india institute of medical sciences and uppsala helsinki and ohio state universities\n\nthe priest objects that if indeed the purpose of the mass vaccinations is to prevent pregnancies women are uninformed unsuspecting and unconsenting victims\n\nthe same story happened in kenya\n\nin october 2014 the conference of catholic bishops in kenya released a statement regarding the tetanus vaccine program implemented under un auspices\n\nthe issue was subsequently addressed by kenyas catholic doctors association see article below\n\npublished below are the following texts\n\na recent review article pertaining to the 2014 findings of kenyas catholic doctors association concerning the tetanus vaccine no update is provided in this article with regard to kenya\nthe original 2014 statement by the conference of catholic bishops\nthe 2014 response by unicef and the who with regard to the tetanus vaccine\nmay 23 2019\n\naccording to lifesitenews november 2014 a catholic publication the kenya catholic doctors association is charging unicef and who with sterilizing millions of girls and women under cover of an antitetanus vaccination program sponsored by the kenyan government\n\nthe kenya catholic doctors association however saw evidence to the contrary and had six different samples of the tetanus vaccine from various locations around kenya sent to an independent laboratory in south africa for testing\n\nthe results confirmed their worst fears all six samples tested positive for the hcg antigen the hcg antigen is used in antifertility vaccines but was found present in tetanus vaccines targeted to young girls and women of childbearing age dr ngare a spokesman for the kenya catholic doctors association stated in a bulletin released november 4\n\nthis proved right our worst fears that this who campaign is not about eradicating neonatal tetanus but a wellcoordinated forceful population control mass sterilization exercise using a proven fertility regulating vaccine this evidence was presented to the ministry of health before the third round of immunization but was ignored\n\ndr ngare brought up several points about the mass tetanus vaccination program in kenya that caused the catholic doctors to become suspicious\n\ndr ngare told said that several things alerted doctors in the churchs farflung medical system of 54 hospitals 83 health centers and 17 medical and nursing schools to the possibility the antitetanus campaign was secretly an antifertility campaign\n\nwhy they ask does it involve an unprecedented five shots or jabs as they are known in kenya over more than two years and why is it applied only to women of childbearing years and why is it being conducted without the usual fanfare of government publicity\n\nusually we give a series three shots over two to three years we give it anyone who comes into the clinic with an open wound men women or children said dr ngare\n\nbut it is the five vaccination regime that is most alarming the only time tetanus vaccine has been given in five doses is when it is used as a carrier in fertility regulating vaccines laced with the pregnancy hormone human chorionic gonadotropin hcg developed by who in 1992\n\nit should be noted that unicef and who distribute these vaccines for free and that there are financial incentives for the kenyan government to participate in these programs when funds from the un are not enough to purchase yearly allotments of vaccines an organization started and funded by the bill and melinda gates foundation gavi provides extra funding for many of these vaccination programs in poor countries\n\nunicef began a similar mass vaccination program with 500000 doses of live oral polio vaccine in the philippines after a super typhoon devastated tacloban and surrounding areas this was in spite of the fact there were no reported cases of polio in the philippines since 1993 and people who have had the live polio vaccine can shed the virus into sewage systems thereby causing the actual disease it is supposed to be preventing\n\nvery similar mass vaccination with the live oral polio vaccine occurred among syrian refugees in 2013 when 17 million doses of polio vaccine were purchased by unicef in spite of the fact that no cases of polio had been seen since 1999 after the mass vaccination program started cases of polio began to reappear in syria\n\nit seems quite apparent that unicef and who use these local disasters to mass vaccinate people mainly children and young women massive education and propaganda efforts are also necessary to convince the local populations that they need these vaccines\n\nthis dubious enterprise led to a massive vaccine initiative to vaccinate against relatively rare tetanus in the philippines nicaragua and mexico these vaccine vials distributed by the who were found to contain hcg which when combined with tetanus toxoid carrier stimulated the formation of antibodies against human chorionic gonadotropin rendering women incapable of maintaining a pregnancy and potentially inducing a covert involuntary abortion population control under the cover of health care\n\ncloser to us this article was recently published in j toxicol environ health a 20188114661674\n\na lowered probability of pregnancy in females in the usa aged 2529 who received a human papillomavirus vaccine injection\nthe authors state\n\napproximately 60 of women who did not receive the hpv vaccine had been pregnant at least once whereas only 35 of women who were exposed to the vaccine had conceived for married women 75 who did not receive the shot were found to conceive while only 50 who received the vaccine had ever been pregnant using logistic regression to analyze the data the probability of having been pregnant was estimated for females who received an hpv vaccine compared with females who did not receive the shot results suggest that females who received the hpv shot were less likely to have ever been pregnant than women in the same age group who did not receive the shot if 100 of females in this study had received the hpv vaccine data suggest the number of women having ever conceived would have fallen by 2 million\n\nyes 2 million\n\nthen in 2016 the american college of pediatricians emitted a warning that the hpv vaccine leads to premature ovarian failure\n\nhave you seen this article\n\npeople with autism are dying younger warns a study\n\n\noverall people with asd were 256 times more likely to have died during the study period than people without odds ratio or 256 95 confidence interval ci 238 to 276 the average age of death for people with asd was 5387 years compared with 702 years for people without\n\nthese stark figures break down to give some even more worrying numbers people with lowfunctioning asd on average died before they reached 40 at 395 years\n\noverall people with lowfunctioning asd had a higher risk of having died a more than fivefold risk compared with a twofold risk for people with highfunctioning asd\n\nwomen with lowfunctioning asd had the highest risk of any group an eightfold higher risk of death than a woman the same age without asd\n\napart from infections people with asd were more likely than those without to have died from any of the causes of death considered however the two causes that stand out are suicide and epilepsy\n\npeople with asd were 755 times more likely to die by suicide people with highfunctioning asd were at greater risk of suicide than lowfunctioning groups and unusually women were more at risk than men in the general population rates of suicide are 35 times higher in men compared with women\n\ndeaths as a result of nervous system disorders primarily epilepsy were 749 times higher among those with asd and people with lowfunctioning asd were most at risk\n\ngenocide theres no other word to explain it\n\nmost people living today especially younger people have no idea that a key agenda of globalism is the elimination of undesirable humans from the gene pool they believe that ideas of eugenics and genocide were only carried out by the nazis not by american university professors and presidential science advisors\n\nso they have no grasp of the context in which planned parenthood for example operates today as a depopulation engine to eliminate blacks from society planned parenthoods founder margaret sanger was a blackhating eugenicist whose ideas directly inspired the genocidal goals of the third reich\n\nthe new york times article quotes dr paul ehrlich of stanford university a depopulation advocate as well as president richard nixons chief science adviser dr lee dubridge who said that population control should be the prime task of every government\n\nin the article dr ehrlich laments the fact that biologists believe compulsory family regulation will be necessary to retard population growth in essence he is arguing that the government should be in charge of reproductive rights determining who is allowed to reproduce and who must be sterilized\n\nto achieve the sterilization goals he urged establishing a federal population commission with a large budget for propaganda reports the new york times he also called for the addition of a temporary sterilant to staple food or to the water supply in order to cause mandatory infertility\n\ndr barry commoner of washington university in st louis added to the discussion\n\ncan we not invent a way to reduce our population growth rate to zero every human institution school university church family government and international agencies such as unesco should set this as its prime task\n\nmost americans have no awareness that this agenda is well underway flu shots for example are now scientifically confirmed to cause spontaneous abortions a form of infertility and population control this explains exactly why the cdc began pushing for flu shot vaccines during all three trimesters of gestation in expectant mothers\n\nsperm viability is also plummeting across the modern world according to dozens of published scientific studies one such study conducted by the hebrew university of jerusalem found that sperm concentrations have plummeted more than 50 percent from 1973 to 2011\n\nin addition more than 25 of couples are sterile they will need to use ivf for example to get pregnant\n\naccording to the abstract of this study as reported in science daily\n\nthese findings strongly suggest a significant decline in male reproductive health that has serious implications beyond fertility and reproduction given recent evidence linking poor semen quality with a higher risk of hospitalization and death\n\ncovert vectors for depopulation that are being pursued right now\n\nthe depopulation goals from 1969 are in full force in america today some of the vectors for covert sterilization and depopulation now include\n\ncovert genetic modification of crops to grow rna interference fragments that nullify male fertility in humans\n\nthe continued use of toxic mercury and aluminum in vaccines in order to cause spontaneous abortions in pregnant women\n\nplanned parenthood abortion centers that target minority communities for eugenics cleansing of the gene pool\n\ninoculation of all vaccine recipients with hidden cancercausing viruses that are deliberately allowed to contaminate many vaccines see the sv40 simian virus fiasco affecting 98 million americans via the polio vaccine also read the book plague by judy mikovitz\n\nthe planned deliberate use of cancercausing ingredients in popular food and water supplies\n\nspiking public health vaccines with covert sterilization chemicals exactly as has been confirmed in african vaccination campaigns that target young black women for sterilization without their knowledge or consent see above\n\nif you do not know that mass sterilization efforts are underway right now to eliminate human fertility and drastically reduce the global population then you are not yet wellversed on reality\n\neven bill gates openly talks about achieving the correct amount of population reduction by using vaccines and other vectors saying\n\nthe world today has 68 billion people thats headed up to about 9 billion now if we do a really great job on new vaccines health care reproductive health services we could lower that by perhaps 10 or 15 percent\n\nlegislators in thirteen states have introduced bills that would severely constrict or eliminate exemptions from compulsory vaccination with the intended aim of coercing cajoling or forcing those who have not been vaccinated to become so those states are california sb 277 illinois sb 1410 maine ld 606 maryland hb 687 minnesota sf 380 and hf 393 new jersey s 1147 and a351 new mexico hb 522 oregon sb 442 pennsylvania rhode island s381 texas sb 1114 sb 538 hb 2006 vermont h212 s87 and washington hb 2009\n\nthey are pushing their agenda full force\n\nthis agenda may by what the 20thcentury french philosopher michel foucault called biopolitics where hypermedicalization is used as a strategy by governments to control its population and not for the ostensible reason of providing healthcare services\n\ngiven that today being infected with a novel form of influenza has been written into the law via executive order as a quantifiable offense the medical and military models have merged to a point where one could theoretically be classified as a bioweaponbioterrorist either by being determined infected by a particular pathogen or by refusing a vaccine designed to protect against it \n\nsee by yourself httpsgeorgewbushwhitehousearchivesgovnewsreleases200504200504016html\n\none has to wonder if the absurdity of the prolifeprovaccine hybrid is just an expression of the zeitgeist we are now transiting through a period of the complete secularization of faith such that science has now become the centralizing and preempting god of all other belief systems and by implication that there is only one truth and one way to apply it medically speaking\n\nthe resultant medical monotheism requires absolute obedience to the absurd notion that there is only one way to define and treat the body this of course makes biomedical interventions like vaccination and chemotherapy mandatory and marks the end of all personal choice and liberty\n\nafter reading my 2 posts there should not be any doubts in your mind that the vaccination program was designed by satan there is nothing good about it\n\ncertainly god would never approve of this practice where babies are being killed ever\n\nisaiah 355\n\nthen the eyes of the blind will be opened and the ears of the deaf will be unstopped\n\nacts 2618\n\nto open their eyes so that they may turn from darkness to light and from the dominion of satan to god that they may receive forgiveness of sins and an inheritance among those who have been sanctified by faith in me\n\n2 corinthians 316\n\nbut whenever a person turns to the lord the veil is taken away lets pray that the world sees the light in the name of jesus christ our savior", + "http://www.drsergegregoire.com/", + "FAKE", + 0.08930373944928742, + 3687 + ], + [ + "5G LAUNCHES IN WUHAN WEEKS BEFORE CORONAVIRUS OUTBREAK", + "big tech doesnt want this video seen so be sure to defy silicon valley elitists by sharing this link 5g launches in wuhan weeks before coronavirus outbreak\nin this infowars special report greg reese connects the dots between the wuhan coronavirus outbreak the bill and melinda gates foundation a netflix docuseries pitching vaccines as a solution to outbreaks wuhans recent launch of 5g and warnings from experts who say 5g could cause flulike symptomswatch as reese tries to share a link on facebook of the chinese government website announcing the launch of 5g and is blocked by a notice claiming the post goes against community standards", + "https://www.infowars.com/", + "FAKE", + 0.12619047619047621, + 106 + ], + [ + "WAVES OF MUTILATION: MEDICAL TYRANNY AND THE CASHLESS SOCIETY", + "back in 2014 during the ebola scare in the us i published an article warning about how a global pandemic could be used by the elites as cover for the implementation of an economic collapse as well as martial law measures in western nations my immediate concern was the way in which a viral outbreak could be engineered or exploited as a rationale for a level of social control that the public would never accept under normal circumstances and this could be any viral outbreak not just ebola the point is the creation of an invisible enemy that the populace cannot quantify and defend itself against without constant government oversighti noted specifically how the government refused to apply air travel restrictions in 2014 to nations where the outbreak had taken hold when they could have stopped the spread in its tracks this is something that was done again in 2020 as the uns who and governments including our government in the us refused to stop air travel from china pretending as if it was not a hot zone and that the virus was nothing to worry aboutthis attitude of nonchalance serves a purpose the establishment needs the pandemic to spread because then they have a rationale for strict controls of pubic activities and movements this is the end goal they have no care whatsoever for public health or safety the end game is to acquire power not save lives in fact they might prefer a higher death count in the beginning as this would motivate the public to beg for more restrictions in the name of security\nauthorities went from downplaying the outbreak and telling people not to bother with preparations like purchasing n95 masks to full blown crisis mode only weeks later in january trump initially claimed he trusted the data out of china and said that everything was under control as usual only a couple months down the road and trump flipflopped on both assertions the world health organization refused to even label this outbreak a pandemic until the virus was entrenched across the globe the question people will ask is was this all due to incompetence or was it social engineeringthe ebola event six years ago seems to have been a dry run for what is happening today i believe it is entirely deliberate and i will explain why in this article but either way governments have proven they cannot be trusted to handle the pandemic crisis nor can they be trusted to protect the people and their freedoms\nat the same time the pandemic itself is tightly intertwined with economic collapse the two events feed off one another the pandemic provides perfect cover for the crash of the massive debt bubble central banks and international banks have created over the years i noted in february that the global economy was crashing long before the coronavirus ever showed up at the same time economic chaos increases 3rd world conditions within each country which means poor nutrition and health care options that cause more sickness and more deaths from the virus as outlined in 2014who would question the event of an economic collapse in the wake of an ebola virus soaked nightmare who would want to buy or sell who would want to come in contact with strangers to generate a transaction who would even leave their house ebola viral treatment in first world nations has advantages of finance and a cleaner overall health environment but what if economic downturn happens simultaneously america could experience third world status very quickly and with it all the unsanitary conditions that result in an exponential ebola pandemic death rate amidst even a moderate or controlled viral scenario stocks and bonds will undoubtedly crash a crash that was going to happen anyway the international banks who created the mess get off blameless while ebola viral outbreak an act of nature becomes the ultimate scapegoat for every disaster that followsas the double threat of financial collapse and viral pandemic accelerate fear becomes widespread for those that never prepared ahead of time and were talking about millions of people when people are afraid they tend to sacrifice their freedoms to anyone that offers them a promise of safety no matter how empty for now the public is being convinced to assume that lockdowns and restrictions are temporary but this is a lie the elites must maintain and increase restrictions with each passing month in order to prevent rebellion until they are ready to implement martial law measuresyou see the establishment is going for broke with this event and because of this there is the potential for them to face dire consequences the facade is quickly evaporating the collectivists and globalists are risking exposure of themselves and their political puppets in order to build a totalitarian system with extreme speed the establishment must keep the pressure on for now because if the public is allowed to breath for just a moment they might look around and wake up to the bigger agenda the public has to be forced to beg for aid from the authorities only then will the pressure be lifted for a short time the public has to believe the control grid was their ideaa new process of mass conditioning is about to be set in motion using waves of panic and then waves of release and calm after studying the behavioral traits and methods of narcissistic sociopaths psychopaths for many years i can tell you this form of conditioning is very familiar this is exactly what they always do just on a global scale they create an atmosphere of crisis to keep people around them unbalanced and on edge then relieve the pressure intermittently so that those same people relax and their anger is deflated for a time then the process starts all over again this conditioning traps the narcopaths victims in a constant state of flux and uncertainty and the moments of calm become a placebo which prevent their rebellion against him he can then feed off his victims at his leisure like a psychological vampire and often these victims will see the narcopath as their only means of support they have been convinced that all the threats are coming from the outside they do not realize the source of the threats is the person standing right next to themthe wave model of conditioning and control is starting to show up everywhere and it is most blatant in the intended solution presented by establishment elites in response to the coronavirus outbreak as truthstream media outlined in their excellent video we are living in 12 monkeys mit recently published a paper written by their globalist editor in chief gideon lichfield titled were not going back to normal which admits quite brazenly how the elites intend to use this crisis to their advantagelichfield lays out a kind of programming schedule for the population based on waves of viral infection outbreaks waves of tight social restrictions followed by waves of limited economic activity and limited calm over the next 18 months as lichfield suggeststo stop coronavirus we will need to radically change almost everything we do how we work exercise socialize shop manage our health educate our kids take care of family memberswe all want things to go back to normal quickly but what most of us have probably not yet realizedyet will soonis that things wont go back to normal after a few weeks or even a few months some things never willhe continuesas long as someone in the world has the virus breakouts can and will keep recurring without stringent controls to contain them in a report yesterday researchers at imperial college london proposed a way of doing this impose more extreme social distancing measures every time admissions to intensive care units icus start to spike and relax them each time admissions fall understand that there are 7 billion people on the planet and this process of control could go on for years while we wait for every person to overcome the virus or die from it the only way for the public to escape this purgatory according to lichfield is for them to submit to a biometric data grid they must volunteer or be forced to participate in 247 tracking through their cell phones and through mass surveillance in order to function in society an individual must have the proper digital marker which tells the authorities that they are clean and devoid of infection the system is being used in china right nowthis system achieves a number of things much like the social credit system china has been using for the past few years the public is compelled to constantly appease the hidden but all seeing eye of government everything they do is watched by algorithms and surveillance any deviation might trigger scrutiny and a loss of simple freedoms to move around or participate in normal human interaction lichfield arguesultimately however i predict that well restore the ability to socialize safely by developing more sophisticated ways to identify who is a disease risk and who isnt and discriminatinglegallyagainst those who areone can imagine a world in which to get on a flight perhaps youll have to be signed up to a service that tracks your movements via your phone the airline wouldnt be able to see where youd gone but it would get an alert if youd been close to known infected people or disease hot spots thered be similar requirements at the entrance to large venues government buildings or public transport hubs there would be temperature scanners everywhere and your workplace might demand you wear a monitor that tracks your temperature or other vital signs where nightclubs ask for proof of age in future they might ask for proof of immunityan identity card or some kind of digital verification via your phone showing youve already recovered from or been vaccinated against the latest virus strainsand there you have it the social and biometric control grid that globalists have been hungry to set up for years now has the perfect catalyst a viral pandemic which could cycle indefinitely all that would be needed is to release a designer virus every couple years which renews public fear the populace becomes increasingly dependent on government for everything as their very survival depends on their ability to function within the new economy and without a special mark granted by government saying you are not an infection risk you could be shunned from all trade and participationrefuse to get vaccinated due to health concerns youre kicked out of the economy homeschool your children they have not been monitored and are therefore an infection risk and your whole family is kicked out of the economy hold political views that are contrary to globalism maybe you are listed as a danger to the system and wrongly labeled infected as punishment and then you are kicked out of the economy the establishment can use the threat of economic removal to condition many people into complacency or slaverythe mit editor goes on to drive his point home in rather arrogant fashionwell adapt to and accept such measures much as weve adapted to increasingly stringent airport security screenings in the wake of terrorist attacks the intrusive surveillance will be considered a small price to pay for the basic freedom to be with other peoplebeyond the effort to turn social distancing into a new cultural norm enforced by law there is another agenda being quietly instituted the cashless society more and more businesses are starting to refuse cash payments claiming that paper cash spreads the virus oddly enough they still accept debit cards using pin pads which are much more likely than cash to spread diseasethis may force the public to keep their money in banks despite the threat of a credit freeze or bank holiday what if you pull cash out of your accounts but are not able to spend it anywhere eventually they will ban debit and credit card transactions in stores as well and replace them with a noninteractive payment model this will probably be done through your cell phone in the beginning using a scanning app in the end they will use your biometric data for all money transactions\nthis forces the public yet again to carry a cell phone on them everywhere for their very survival the tracking network for the virus as well as the new payment transaction system makes this device indispensable if you want to participate in society you will have no choice but to be tracked and traced at all times\nunless of course you build your own system of trade and interactionthe solution to medical tyranny and the cashless society is to not need the system at all for your own survival this means people will have to build their own economies based on barter and local scrip they will have to dump their cell phones and rely on other forms of communication such as radio or establish a digital communication system separate and independent from the establishment system they will have to become producers and achieve more self reliance they will have to break free from the grid and this has to start right nowof course the establishment will claim that these independent people are a threat to everyone else simply by existing they will perpetuate the lie of herd immunity and will claim that independent people will spread the virus even to those who are supposedly protected through vaccination and eventually they will try to stop decoupled and localized communities from existing using force at that point we simply go to war with the elites as we were always going to have to do anyway the alternative is slavery in the name of the greater good but there is no greater good without freedom and there is no society without individuality pandemic be damned", + "https://southfront.org/", + "FAKE", + 0.09771533881382363, + 2315 + ], + [ + "Redfield and Birx: Can they be trusted with COVID?", + "us military documents show that in 1992 the cdcs current director robert redfield and his thenassistant deborah birxboth army medical officersknowingly falsified scientific data published in the new england journal of medicine fraudulently claiming that an hiv vaccine they helped develop was effective they knew the vaccine was worthlessredfield now runs the agency charged with mandating covid vaccines birx a lifelong protégé to both redfield and anthony fauci served on the board of bill gates global fund redfield birx and fauci lead the white house coronavirus task forcea subsequent air force tribunal on scientific fraud and misconduct agreed that redfields misleading or possibly deceptive information seriously threatens his credibility as a researcher in 1992 two military investigators charged redfield and birx with engaging in a systematic pattern of data manipulation inappropriate statistical analyses and misleading data presentation in an apparent attempt to promote the usefulness of the gp160 aids vaccine a subsequent air force tribunal on scientific fraud and misconduct agreed that redfields misleading or possibly deceptive information seriously threatens his credibility as a researcher and has the potential to negatively impact aids research funding for military institutions as a whole his allegedly unethical behavior creates false hope and could result in premature deployment of the vaccine the tribunal recommended investigation by a fully independent outside investigative body dr redfield confessed to dod interrogators and to the tribunal that his analyses were faulty and deceptive he agreed to publicly correct them afterward he continued making his false claims at three subsequent international hiv conferences and perjured himself in testimony before congress swearing that his vaccine cured hivtheir gambit worked based upon his testimony congress appropriated 20 million to the military to support redfield and birxs research project public citizen complained in a 1994 letter to the congressional committees henry waxman that the money caused the army to kill the investigation and whitewash redfields crimes the fraud propelled birx and redfield into stellar careers as health officials", + "https://childrenshealthdefense.org/", + "FAKE", + -0.031221303948576674, + 326 + ], + [ + "Rush Limbaugh makes obvious point that Wuhan coronavirus might have been a Chinese bioweapon that escaped from the lab", + "longtime listeners of conservative talk radio legend rush limbaugh know that he doesnt deal in tinfoil hat conspiracy theories so when he offers what might seem as a nonlinear or nontraditional take on an issue of the day its headturningmost americans may not have given the wuhan coronavirus much thought before this week before the virus hit american shores but some of those who have been tracking the outbreak since december when it first appeared in china have wondered whether it could have been some sort of biological weapon that the peoples liberation army was developingand earlier this week limbaugh echoed similar sentimentsits a respiratory system virus it probably is a chicom laboratory experiment that is in the process of being weaponized all superpower nations weaponize bioweapons they experiment with them the russians for example have weaponized fentanyl he said but in any event his comments about it being a potential bioweapon are not the first sen tom cotton rark thinks so too and for that he is being mocked by the very same mainstream media that lied about the trumprussia collusion hoax for nearly three yearsspecifically cotton suggested that the virus originated in chinas only biolevel 4 research facility which just happens to be in wuhan city the epicenter of the outbreak and furthermore cotton has never said there is 100 percent proof the virus is a bioweaponfailing to ask this question is the real conspiracy we dont have evidence that this disease originated there he said during a recent interview on fox news the new york times reported but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says and china right now is not giving evidence on that question at allmind you cotton is a harvardeducated lawyer and us army infantry officer with combat experience hes not a kook hes not a conspiracy theorist and hes not some wildeyed lunatic the times jeered mr cotton later walked back the idea that the coronavirus was a chinese bioweapon run amok but it is the sort of tale that resonates with an expanding chorus of voices in washington who see china as a growing sovietlevel threat to the united states echoing the anticommunist thinking of the cold war era rightwing media outlets fan the angerthis from a newspaper that again fanned the bs hoax that moscow and donald trump colluded to steal the election from hillary clinton for twoplus years and it was the same paper that repeatedly told readers former special counsel robert mueller had proof of that hoax when at the end of his probe his report said specifically that there was no evidence to support the claimwhats really interesting here is that mainstream media outlets like the times cnn the washington post usa today and others make wild claims about president trump and members of his administration based on less empirical evidence at least in the case of cotton and limbaugh there is enough circumstantial evidence to warrant suspicions and ask the question did the novel coronavirus as in this is the first time its been seen originate from the only lab in china capable of dealing withhandling this type of biohazard the people who dismiss the question out of hand are the real conspirators", + "http://www.banned.news", + "FAKE", + 0.05644103371376098, + 552 + ], + [ + "Did China Panic the World and Steal Our Wealth with a Common Cold?", + "if covid19 scientifically known as sarscov2 had started in singapore or taiwan it would have traveled the world infected billions of people killed millions and there wouldnt have been a single peep about it but it kills people you cry that is what cold and flu do especially to the elderly and those lacking basic medicines the world is panicking over a virus that causes mild colds in the vast majority of cases amid the panic china is profiting as it buys up stocks at bargainbasement prices instead of engineering a pandemic did china engineer pandemonium before pandemonium science sudden acute respiratory syndrome sars is characterized by the sudden within a day or two development of severe viral pneumonia with a thick mucus that is difficult to treat sars is strongly associated with two strains of coronavirus sarscov and now sarscov2 the pathogenesis of sars is supposed to go something like this day 1 infection with sarscov or sarscov2 day 2 coughing and wheezing for breath day 3 hospitalization on a ventilator day 4 death over 99 of covid19 cases have experienced nothing even remotely similar to sars is sarscov2 a bunch of hooey medicine has a penchant for gaining fame by discovering new diseases by reclassifying old diseases when infected with a coldcausing virus you might get a fever might have a runny nose might cough might have muscle aches might have a sore throat and you might get viral pneumonia sars is a name for a severe case of viral pneumonia caused by two specific cold viruses but any cold virus could lead to a sarslike viral pneumonia dont scoff at colds there are over 200 viruses that cause the common cold among those are several strains of coronavirus with a new strain discovered every few years discovery occurs when a lab technician sequences a virus a rather rare event and submits to genbank a previously unpublished sequence the newly discovered virus could have been endemic for millennia science makes mistakes and a lot of scientists can make a lot of mistakes especially when rushing assuming that the multitude of partial genetic sequences for covid19 are genetic sequences for covid19 and assuming that the multitude of rapidly developed and poorly validated tests for covid19 are specific for covid19 then covid19 rarely leads to sars covid19 is a newly identified strain of coronavirus that causes the common cold and although newly discovered it could have been endemic for centuries we fill nursing homes with elderly on their last legs where they are tended to by orderlies until one of those orderlies comes to work with a little bit of a runny nose would you like us to make them comfortable is a code phrase for would you like us to continue fluffing their pillows while they choke to death from pneumonia and their minds melt from fever medicine is withheld as they die a natural death from pneumonia indistinguishable from sars even the young and healthy can die from a cold absent medicines such as aspirin decongestants and expectorants death from fever secondary infections diarrhea and viral pneumonia is a real possibility the common cold would be 100 times more deadly without medicine just as in the past this brings us to china where an advanced socialized medical system is much like the nursing home no medicine at all people reported to hospitals because their common colds were a little more severe than usual perhaps their fevers were unresponsive to the medicines they obtained at the local drugstore which may not have contained any medicine 12345 with so much manufactured in china you might have paid 300 for a bottle of cornstarch pressed into pills insert bigname pharma company here thanks you at the hospital many patients in wuhan were carefully evaluated for their worth to society and then led to benches in the halls upon which they could sit while their fevers and coughs got worse and they were otherwise ignored meanwhile the chinese are profiting immensely from the fire sale as though they were prepared for it 678910 also consider that china owns large portions of our media companies and china virtually controls the world health organization who when this thing started trump offered aid to china in the form of virology experts and medicines but china refused that aid insisting that everything be done through the who the who assisted in the hype by calling something that looked like a common cold once it got out of china a pandemic were the people of wuhan suffering from a new sars the ravages of a common cold exacerbated by socialist medicine or nothing at all covid19 rarely causes sars outside china so it must be the last one did the chinese government attempt to cover up the embarrassment of its socialized medicine or fabricate a deadly outbreak to panic the world has our scientific arrogance erroneously blamed this on an innocuous common cold possibly endemic in much of the world or have we been maliciously misled by the chinesecontrolled who was it to cover the embarrassment or advance the fabrication did china orchestrate the media hype or was it the normal trumphate of fake news did the chinese start a fire sale or were they well positioned by happenstance never attribute to maliciousness that which you can to incompetence and never attribute to incompetence that which you can to socialism as covid19 turns into an expensive exercise in tracking the progression of a common cold the chinese are grinning but will they smile for long the china model was already collapsing and the companies and wealth they gained through trickery and deceit have been declining from poor management the world is waking up china was a deal too good to be true and we need to get out of it before the ineptness and malice of socialism take us all down\n", + "https://www.americanthinker.com/", + "FAKE", + -0.051219557086904045, + 984 + ], + [ + "The coronavirus was created in the laboratory and is a biological weapon", + "coranavirus amazing that it goes on tv here is the confirmation that we were waiting for biological weapon ", + "YouTube", + "FAKE", + 0.6000000000000001, + 18 + ], + [ + null, + "a vaccine meant for cattle can be used to fight covid19", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + "Miles Guo: CCP ordered Guo Deyin to create Wuhan coronavirus", + "according to miles guos live steam broadcast with steven bannon on monday feb 3 2020 guo deyin a prominent chinese scientist is responsible for creating wuhan coronavirus under the order of the chinese communist party the project is so secret that some of the chinese kleptocrats do not even know about it please check back on this page as we translate the baidu page into english and add more content guo deyin last name guo is the key person responsible for creating wuhan coronavirus guo deyin is found on baiducom search a chinese search engine the chinese communist party ccp has finally admitted publicly that the wuhan coronavirus does not come from nature it is artificially created and has nothing to do with bats or seafood market as the ccp previously claimedthe article published on the official chinese military website xilucom saying that the wuhan coronavirus is manmade to blame the us became a turning point miles guo got estimates from china that the number of confirmed cases of novel coronavirus infection is 13 million and the death toll reached 30k as of feb 3now in china the antiamerican sentiment is far worse than the antivirus sentiment because the ccp is blaming the us for creating the virus", + "https://gnews.org/", + "FAKE", + 0.015404040404040411, + 208 + ], + [ + "Coronavirus vitamin solution NOT revealed by the mainstream media or government health agencies", + "as you may know naturalhealth365 has been a proponent of vitamin c for a wide variety of infectious diseases naturally many of our readers have been quite concerned about the most recent news about the coronavirus outbreak in chinawell today i have some very good news about a way to protect yourself naturally coming from our friends over at the orthomolecular medicine news service omns the editor andrew w saul phd has outlined a scientifically valid way to keep your immune system strong enjoy the readpress release omns january 26 2020 the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin cphysicians have demonstrated the powerful antiviral action of vitamin c for decades there has been a lack of media coverage of this effective and successful approach against viruses in general and coronavirus in particularit is very important to maximize the bodys antioxidative capacity and natural immunity to prevent and minimize symptoms when a virus attacks the human body the host environment is crucial preventing is obviously easier than treating severe illnessbut treat serious illness seriously do not hesitate to seek medical attention it is not an eitheror choice vitamin c can be used right along with medicines when they are indicatedi have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin c robert f cathcart md the physicians of the orthomolecular medicine news service and the international society for orthomolecular medicine urge a nutrientbased method to prevent or minimize symptoms for future viral infection the following inexpensive supplemental levels are recommended for adults for children reduce these in proportion to body weightvitamin c 3000 milligrams or more daily in divided dosesvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 magnesium 400 mg daily in citrate malate chelate or chloride form zinc 20 mg daily selenium 100 mcg micrograms daily vitamin c vitamin d magnesium zinc and selenium have been shown to strengthen the immune system against virusesthe basis for using high doses of vitamin c to prevent and combat viruscaused illness may be traced back to vitamin cs early success against polio first reported in the late 1940s6 many people are unaware even surprised to learn this further clinical evidence built up over the decades leading to an antivirus protocol published in 1980it is important to remember that preventing and treating respiratory infections with large amounts of vitamin c is well established those who believe that vitamin c generally has merit but massive doses are ineffective or somehow harmful will do well to read the original papers for themselves to dismiss the work of these doctors simply because they had success so long ago sidesteps a more important question why has the benefit of their clinical experience not been presented to the public by responsible governmental authorities especially in the face of a viral pandemic", + "https://www.naturalhealth365.com/", + "FAKE", + 0.16451149425287356, + 491 + ], + [ + null, + "can anyone explain to me why they made a coronavirus vaccine a year ago for k9s but are acting like this shit is a new virus that came from china just recently if they have a vaccine for dogs dont you think they would have one for humans too wtf is the government tring to pull on us really ", + "Facebook", + "FAKE", + -0.060606060606060615, + 59 + ], + [ + "The Massive Covid-19 Hoax", + "by all accounts and from the very beginning it was clear that coronavirus disease 2019 covid19 was at the very most a bad cold little more dangerous than the annual flu but being deliberately hyped to stampede the public into a tangled web of bad policiesas early as last month coolerheaded experts warned that hyped death rates spread by politicians the western corporate media other various panicmongers and even world health organization who officials would give way to much much lower death rates as more people were tested found to have had the virus and showed little to no symptomsthe numbers of infections versus deaths in iceland where testing has been the most widespread shows a death rate of about 05 though only 5 of the population has been tested 50 of those tested showed no symptoms at all meaning that many many more icelanders likely had the virus overcame it with ease and never visited a doctor or hospital to avail themselves for testing or to make into national covid19 statisticsanother study conducted in the united states by stanford university found the infection rate was likely 5085 times higher than reported meaning the death rate was astronomically lower than reported at around 02 to as low as 012 not the 34 claimed by the world health organizationin other words covid19 is no more dangerous or deadly than the annual flu but it has been hyped as such by western politicians the western corporate media and even international institutions like who a deliberate deception accompanied by coordinated theater including government briefings with reporters comically spaced out in fear of contracting covid19other props used to panic the public into imprisoning themselves at home and accepting the immense socioeconomic damage lockdowns are causing included showing the expotential graphs of infections seemingly rising straight up with no end in sightif responsible journalists put these graphs in context say perhaps next to annual flu infection curves the public would notice they are identical and simply represent the way the flu colds and covid19 which is related to both work their way through populationsthe same goes for total deaths should the media present covid19 deaths in the context of and in comparison to annual deaths from the flu americans for example would see that versus the 2019 flu season covid19 is actually 3000040000 deaths short of just matching the common flu saying nothing of living up to the hype and hysteria the government and media have deliberately created around covid19 to justify lockdownsso why have governments around the globe crippled their economies put millions out of work and placed draconian measures in place to in essence imprison their populations at homethose with power and money seek to keep what they have and to take what little is left in the hands of others during the manufactured war on terror similar hysteria was deliberately spread across society to justify draconian police powers at home and endless wars abroad pouring ultimately trillions into the accounts of defense contractors and the financial institutions invested in themduring a manufactured health crisis like the 2009 h1n1 swine flu outbreak the unfounded fear of an uncontrollable pathogen ravaging the population helped justify the centralizing of control over peoples health and lifestyle while pumping billions in pubic funding into the coffers of bigpharmaand here we are again with the very same interests who lied to us about all of the above doing it again and on a much larger and more destructive scale creating socioeconomic havoc virtually no one will escape completelyif the covid19 hoax doesnt convince you to divest from the politicians and the corporations they serve including divesting from bigbusiness goods and services nothing will special interests just betatested turning entire nations into virtual prisons if people allow it this time their ability to do it again and to an even greater and more disruptive degree is all but guaranteed", + "https://www.globalresearch.ca/", + "FAKE", + 0.026412579957356082, + 650 + ], + [ + "A Nobel Prize-winning immunologist said coronavirus is manmade", + "professor dr tasuku honjo caused a sensation today in the media by saying that the corona virus is not natural", + "Facebook", + "FAKE", + -0.05, + 20 + ], + [ + "Did Bill Gates & World Economic Forum Predict Coronavirus Outbreak? Will There be an Internet Blackout to Control Information?", + "the coronavirus outbreak in china now dominates worldwide news media outlets spiro skouras released a video yesterday jan 25 2020 reporting on a 5 hour simulation that was conducted in october of 2019 event 201 it was hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation the simulation is eerily similar to what is happening right now with the coronavirus outbreak will world health authorities now take action as is predicted in this simulation and try to control the narrative of the outbreak by cutting off access to the internet or forcing social media companies to only allow the information they want the public to receive health impact news is part of the independent alternative media and sites like ours may soon be blocked from reporting on this emerging worldwide health crisis if this simulation is accurately predicting just how these events are about to unfold the mainstream media watchdogs have labeled health impact news as fake news even when we report on vaccine injuries and deaths using the governments own data see in this report we take an inside look at event 201 which took place in nyc on october 18 2019 event 201 is a highlevel pandemic exercise hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation this is extremely fascinating because this pandemic simulation exercise of coronavirus took place about 6 weeks before the first illness from the coronavirus was actually reported in wuhan china that is one hell of a coincidence if you believe in that sort of thing another fascinating connection is the fact that not only did the bill and melinda gates foundation participate in and help set up the pandemic simulation of a coronavirus outbreak but they just so happen to fund the group who owns the patent to the deadly coronavirus and are already working on a vaccine to solve the current crisis again an incredible coincidence in this report you will see footage from inside the event as the members of the emergency epidemic board in this simulation which consists of representatives from major banks the un the bill and melinda gates foundation johnson and johnson logistical powerhouses the media as well as officials from china and americas cdc just to name a few this simulation also includes news reports that were fabricated just for this exercise please keep that in mind because they are eerily similar to reports we are currently seeing regarding this real world coronavirus outbreak links", + "https://healthimpactnews.com/", + "FAKE", + 0.10108784893267651, + 437 + ], + [ + "Bill Gates will use microchip implants to fight coronavirus", + "microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against itthe 64 year old tech mogul and currently the second richest person in the world revealed this yesterday during a reddit ask me anything session while answering questions on the covid19 coronavirus pandemicgates was responding to a question on how businesses will be able to operate while maintaining social distancing and said that eventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itthe digital certificates gates was referring to are humanimplantable quantumdot tattoos that researchers at mit and rice university are working on as a way to hold vaccination records it was last year in december when scientists from the two universities revealed that they were working on these quantumdot tattoos after bill gates approached them about solving the problem of identifying those who have not been vaccinatedthe quantumdot tattoos involve applying dissolvable sugarbased microneedles that contain a vaccine and fluorescent copperbased quantum dots embedded inside biocompatible micronscale capsules after the microneedes dissolve under the skin they leave the encapsulated quantum dots whose patterns can be read to identify the vaccine that was administeredthe quantumdot tattoos will likely be supplemented with bill gates other undertaking called id2020 which is an ambitious project by microsoft to solve the problem of over 1 billion people who live without an officially recognized identity id2020 is solving this through digital identity currently the most feasible way of implementing digital identity is either through smartphones or rfid microchip implants the latter will be gatess likely approach not only because of feasibility and sustainability but also because for over 6 years the gates foundation has been funding another project that incorporates humanimplantable microchip implants this project also spearheaded by mit is a birth control microchip implant that will allow women to control contraceptive hormones in their bodiesas for id2020 to see it through microsoft has formed an alliance with four other companies namely accenture ideo gavi and the rockefeller foundation the project is supported by the united nations and has been incorporated into the uns sustainable development goals initiativeit will be interesting to see how bill gates and id2020 will execute all this because many christians and surprisingly a growing number of shia muslims are very opposed to the idea of microchipping and any form of bodyinvasive identification technology some christian legislators and politicians in the united states have even tried to ban all forms of human microchippingbut on the other hand this is bill gates perfect opportunity to see the projects through because as the coronavirus continues to spread and more people continue to die from the pandemic the public at large is becoming more open to problemsolving technologies that will contain the spread of the virusthe main reason many christians and some shia muslims are opposed to bodyinvasive identification technologies however helpful such technologies are for preventing pandemics is because they believe that such technologies are the so called mark of satan mentioned in the bible and some mahdi prophecies in the book of revelations in the bible anyone who does not have this mark is not allowed to buy or sell anythinglast year in november a denmarkbased tech company which had contracts to produce microchip implants for the danish government and the us navy had to cancel the launch of its supposedly revolutionary internetofthings powered microchip implant after christian activists attacked its offices in copenhagen", + "https://biohackinfo.com/", + "FAKE", + 0.15550364269876468, + 596 + ], + [ + "Did Bill Gates & World Economic Forum Predict Coronavirus Outbreak? An Inside Look May Shock You!", + "in this report we take an inside look at event 201 which took place in nyc on october 18 2019 event 201 is a highlevel pandemic exercise hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation this is extremely fascinating because this pandemic simulation exercise of coronavirus took place about 6 weeks before the first illness from the coronavirus was actually reported in wuhan china that is one hell of a coincidence if you believe in that sort of thing another fascinating connection is the fact that not only did the bill and melinda gates foundation participate in and help set up the pandemic simulation of a coronavirus outbreak but they just so happen to fund the group who owns the patent to the deadly coronavirus and are already working on a vaccine to solve the current crisis again an incredible coincidence in this report you will see footage from inside the event from the members of the emergency epidemic board in this simulation consisting of representatives from major banks the un the bill and melinda gates foundation johnson and johnson logistical powerhouses the media as well as officials from china and americas cdc just to name a few this simulation also includes news reports that were fabricated just for this exercise please keep that in mind because they are eerily similar to reports we are currently seeing regarding this realworld coronavirus outbreak", + "https://www.activistpost.com/", + "FAKE", + 0.15416666666666665, + 247 + ], + [ + "Who Made Coronavirus? Was It the U.S., Israel or China Itself?", + "the most commonly reported mainstream media account of the creation of the coronavirus suggests that it was derived from an animal borne microorganism found in a wild bat that was consumed by an ethnic chinese resident of wuhan but there appears to be some evidence to dispute that in that adjacent provinces in china where wild bats are more numerous have not experienced major outbreaks of the disease because of that and other factors there has also been considerable speculation that the coronavirus did not occur naturally through mutation but rather was produced in a laboratory possibly as a biological warfare agentseveral reports suggest that there are components of the virus that are related to hiv that could not have occurred naturally if it is correct that the virus had either been developed or even produced to be weaponized it would further suggest that its escape from the wuhan institute of virology lab and into the animal and human population could have been accidental technicians who work in such environments are aware that leaks from laboratories occur frequentlythere is of course and inevitably another theory there has been some speculation that as the trump administration has been constantly raising the issue of growing chinese global competitiveness as a direct threat to american national security and economic dominance it must might be possible that washington has created and unleashed the virus in a bid to bring beijings growing economy and military might down a few notches it is to be sure hard to believe that even the trump white house would do something so reckless but there are precedents for that type of behavior in 20059 the american and israeli governments secretly developed a computer virus called stuxnet which was intended to damage the control and operating systems of iranian computers being used in that countrys nuclear research program admittedly stuxnet was intended to damage computers not to infect or kill human beings but concerns that it would propagate and move to infect computers outside iran proved to be accurate as it spread to thousands of pcs outside iran in countries as far flung as china germany kazakhstan and indonesiainevitably there is an israeli story that just might shed some light on what has been going on in china scientists at israels galilee research institute are now claiming that they will have a vaccine against coronavirus in a few weeks which will be ready for distribution and use within 90 days the institute is claiming that it has been engaged in four years of research on avian coronavirus funded by israels ministries of science technology and agriculture they are claiming that the virus is similar to the version that has infected humans which has led to breakthroughs in development through genetic manipulation but some scientists are skeptical that a new vaccine could be produced so quickly to prevent a virus that existed only recently they also have warned that even if a vaccine is developed it would normally have to be tested for side effects a process that normally takes over a year and includes using it on infected humansif one even considers it possible that the united states had a hand in creating the coronavirus at what remains of its once extensive biological weapons research center in ft detrick maryland it is very likely that israel was a partner in the project helping to develop the virus would also explain how israeli scientists have been able to claim success at creating a vaccine so quickly possibly because the virus and a treatment for it were developed simultaneouslyin any event there are definite political ramifications to the appearance of the coronavirus and not only in china in the united states president donald trump is already being blamed for lying about the virus and there are various scenarios in mainstream publications speculating over the possible impact on the election in 2020 if the economy sinks together with the stock market it will reflect badly on trump whether or not he is actually at fault if containment and treatment of the disease itself in the united states does not go well there could also be a considerable backlash particularly as the democrats have been promoting improving health care one pundit argues however that disease and a sinking economy will not matter as long as there is a turnaround before the election but a lot can happen in the next eight monthsand then there is the national securityforeign policy issue as seen from both jerusalem and washington it is difficult to explain why coronavirus has hit one country in particular other than china very severely that country is iran the oftencited enemy of both the us and israel the number of irans coronavirus cases continues to increase with more positive tests confirmed among government officials last saturday there were 205 new coronavirus cases bringing the government claimed total to 593 with 43 fatalities though unofficial hospital reports suggest that the deaths are actually well over 100 thats the highest number of deaths from the virus outside of chinano less than five iranian members of parliament have also tested positive amid a growing number of officials that have contracted the disease irans vice president masoumeh ebtekar and deputy health minister iraj harirchi had also previously been confirmed with the virusthe usual suspects in the united states are delighted to learn of the iranian deaths mark dubowitz executive director of the washingtonbased but israeli government connected foundation for defense of democracies fdd boasted on twitter tuesday that coronavirus has done what american economic sanctions could not shut down nonoil exports an iranian government spokesman responded that its shameful and downright inhuman to cheer for a deadly virus to spread and enjoy seeing people suffer for it dubowitz followed up with an additional taunt that tehran has spread terrorism in the middle east and now its spreading the coronavirusso you have your choice coronavirus occurred naturally or it came out of a lab in china itself or even from israel or the united states if one suspects israel andor the united states the intent clearly would have been to create a biological weapon that would damage two nations that have been designated as enemies but the coronavirus cannot be contained easily and it is clear that many thousands of people will die from it unfortunately as with stuxnet once the genie is out of the bottled it is devilishly hard to induce it to go back in", + "https://www.strategic-culture.org/", + "FAKE", + 0.04916185666185665, + 1080 + ], + [ + "Vitamin C Protects Against Coronavirus", + "omns january 26 2020 the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c physicians have demonstrated the powerful antiviral action of vitamin c for decades there has been a lack of media coverage of this effective and successful approach against viruses in general and coronavirus in particular it is very important to maximize the bodys antioxidative capacity and natural immunity to prevent and minimize symptoms when a virus attacks the human body the host environment is crucial preventing is obviously easier than treating severe illness but treat serious illness seriously do not hesitate to seek medical attention it is not an eitheror choice vitamin c can be used right along with medicines when they are indicated i have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin c robert f cathcart md the physicians of the orthomolecular medicine news service and the international society for orthomolecular medicine urge a nutrientbased method to prevent or minimize symptoms for future viral infection the following inexpensive supplemental levels are recommended for adults for children reduce these in proportion to body weight vitamin c 3000 milligrams or more daily in divided doses vitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 magnesium 400 mg daily in citrate malate chelate or chloride form zinc 20 mg daily selenium 100 mcg micrograms daily vitamin c vitamin d magnesium zinc and selenium have been shown to strengthen the immune system against viruses the basis for using high doses of vitamin c to prevent and combat viruscaused illness may be traced back to vitamin cs early success against polio first reported in the late 1940s6 many people are unaware even surprised to learn this further clinical evidence built up over the decades leading to an antivirus protocol published in 1980 it is important to remember that preventing and treating respiratory infections with large amounts of vitamin c is well established those who believe that vitamin c generally has merit but massive doses are ineffective or somehow harmful will do well to read the original papers for themselves to dismiss the work of these doctors simply because they had success so long ago sidesteps a more important question why has the benefit of their clinical experience not been presented to the public by responsible governmental authorities especially in the face of a viral pandemic read the full press release at orthomolecularcom", + "https://healthimpactnews.com/", + "FAKE", + 0.14067307692307693, + 419 + ], + [ + "Did coronavirus originate in Chinese government laboratory? Scientists believe killer disease may have begun in research facility 300 yards from Wuhan wet fish market", + "chinese scientists believe the deadly coronavirus may have started life in a research facility just 300 yards from the wuhan fish market\na new bombshell paper from the beijingsponsored south china university of technology says that the wuhan center for disease control whcdc could have spawned the contagion in hubei province the possible origins of 2019ncov coronavirus penned by scholars botao xiao and lei xiao claims the whcdc kept diseaseridden animals in laboratories including 605 bats it also mentions that bats which are linked to coronavirus once attacked a researcher and blood of bat was on his skin the report says genome sequences from patients were 96 or 89 identical to the bat cov zc45 coronavirus originally found in rhinolophus affinis intermediate horseshoe bat it describes how the only native bats are found around 600 miles away from the wuhan seafood market and that the probability of bats flying from yunnan and zhejiang provinces was minimal in addition there is little to suggest the local populace eat the bats as evidenced by testimonies of 31 residents and 28 visitors instead the authors point to research being carried out withing a few hundred yards at the whcdc one of the researchers at the whcdc described quarantining himself for two weeks after a bats blood got on his skin according to the report that same man also quarantined himself after a bat urinated on him and he also mentions discovering a live tick from a bat parasites known for their ability to pass infections through a host animals lood the whcdc was also adjacent to the union hospital figure 1 bottom where the first group of doctors were infected during this epidemic the report says it is plausible that the virus leaked around and some of them contaminated the initial patients in this epidemic though solid proofs are needed in future study and as well as the whcdc the report suggests that the wuhan institute of virology could also have leaked the virus as has previously been reported by mailonline this laboratory reported that the chinese horseshoe bats were natural reservoirs for the severe acute respiratory syndrome coronavirus sarscov which caused the 20023 pandemic the report says the principle investigator participated in a project which generated a chimeric virus using the sarscov reverse genetics system and reported the potential for human emergence 10 a direct speculation was that sarscov or its derivative might leak from the laboratory the report concludes that the killer coronavirus probably originated from a laboratory in wuhan it comes as the outbreak has infected more than 69000 people globally with 1665 deaths in china most of these in the central province of hubei ", + "https://www.dailymail.co.uk/news/article-8009669/Did-coronavirus-originate-Chinese-government-laboratory.html", + "FAKE", + 0.07736415882967608, + 445 + ], + [ + "The coronavirus has been 'released' by China [...] it was purposely propagated by the Chinese themselves!", + " the coronavirus sarscov2 which is responsible for the current pandemic was purposely released by the chinese in order to gain an economic advantage over other nations ", + "http://MyNaCl.blogspot.in", + "FAKE", + 0.05500000000000001, + 26 + ], + [ + "Behind the Coronavirus", + "there is more at stake in our current health crisis than meets the eye its important to look at the nature of the virus and also our approach to confronting it leslie manookian the writer and producer of the documentary the greater good today gives us context to consider related to the coronavirus she covers a lot of ground in this conversation she explains why white house health advisor dr fauci is in favor of accelerating the development of a vaccine even though vaccines against respiratory viruses are problematic and she reveals the role and influence of bill gates in renown health institutes and the media leslie also emphasizes the importance of understanding and defending our health freedomhighlights of the conversation includehow there are seven different types of coronavirusfour of which are benignwhy exposure doesnt always necessarily lead to infectious diseaseif 80 of our microbiome is beneficial it keeps the 20 in checkhow in the uk they believe much of the population has already been exposed to the virusthe cdc acknowledged that the virus has been in california as early as december 2019problems with the pcr testwhy fauci and bill gates and other authorities arent interested in herd immunity the fallacy of asymptomatic carriers how 99 of the people who get the virus need no medical intervention how the initial computer model from neil ferguson from the imperial college in london indicated that 22 million americans 500k britons could die the tie between that college neil ferguson and bill gatesthe gates foundation donates significant money to nih cdc who gavi mit wuhan cdc wuhan lab of virology gates influence with the media worldwide on the vaccine front the reasons a vaccine against the virus may not be the best plan vaccine court and federal law recognizes that vaccines injure and kill people table of compensable events includes death arthritis seizures brain inflammation and more vaccines for respiratory viruses evoke a heightened immune response how paul offit and other vaccine proponents are warning us to be cautious about developing a vaccine against the coronavirus the plan in development to microchip people with a digital id showing vaccination records medical records and other info\nthe economic fall out of the lockdowns", + "https://www.westonaprice.org/", + "FAKE", + 0.172, + 369 + ], + [ + "All you need to cure the 2019 coronavirus is a little sunshine.", + "drinking hot water and sun exposure and stay away from ice cream and eating cold\n\ncorona virus when it falls on the fabric remains 9 hours so washing clothes or being exposed to the sun for two hours meets the purpose of killing it reads the handout in the photo", + "Facebook", + "FAKE", + -0.175, + 50 + ], + [ + "Official: Pentagon conserves dangerous pathogens and toxins in Ukraine.", + "this was reported by the press service of the american embassy in kiev\naccording to the diplomatic mission the biolaboratory funded by the pentagon is working precisely in ukraine for this purpose\n\nthe us department of defense biological threat response program is working in ukraine with the ukrainian government to ensure consolidated and secure storage of pathogens and threatening toxins the us embassy said in a statement\n\nit is argued that all of this is necessary for peaceful research\nrecall that it was not long ago that members of the opposition platform sent requests to ukrainian president volodymyr zelensky prime minister denis shmygal as well as to the leadership of the sbu and the ministry of health concerning the legality of the operation of american laboratories in ukraine\n\nin addition meps drew attention to the fact that the construction and location of objects strangely coincides with foci of infectious diseases the us embassy statement was a reaction to the actions of the deputies", + "https://fr.news-front.info/", + "FAKE", + 0.128125, + 163 + ], + [ + null, + "the corona virus is a man made virus created in a wuhan laboratory ask billgates who financed it", + "JoanneWrightForCongress", + "FAKE", + 0, + 18 + ], + [ + "Dead: founder of Canada’s P4 Lab, key to Wuhan coronavirus investigation", + "the sudden death of canadas first coronavirus biosafety level 4 lab director general makes people wonder if dr frank plummer was assassinated mr plummer was the key person to the wuhan coronavirus investigation because chinese spies have stolen viruses from this canadian p4 lab and shipped to china please click on the link to read more", + "https://gnews.org/", + "FAKE", + 0.13333333333333333, + 56 + ], + [ + "CORONAVIRUS PANDEMIC IS EXAGGERATED IN ORDER TO TURN COUNTRIES INTO FASCIST HYGIENE DICTATORSHIPS", + "the coronavirus pandemic is exaggerated in order to turn countries into fascist hygiene dictatorshipsno one is surprised why neither doctors in private practice nor the pneumological and intensive care units of our hospitals continue to report any worrying increase in serious respiratory diseases no one wonders why throughout europe even in italy and spain death rates are not soaring but are actually lower than in previous years hardly anyone listens to the wellfounded factual concerns of many doctors and scientists who are alienated even horrified by the corona hype and if they are they seem to lack the courage to make a big deal out of what they have heardwhat incompetent expert hyperactive governments worldwide are doing with disproportionate protection against epidemics is turning whole countries into prisons liberal democracies into fascist hygiene dictatorshipsthe who has long been on the receiving end of the pharmaceutical industry 85 percent of which is financed through grants from big pharmaceutical companies and related foundations in particular the gates foundation", + null, + "FAKE", + -0.04833333333333333, + 166 + ], + [ + "5G TECHNOLOGY WAKE UP CALL", + "urgent forbidden information a must watch 5g is a kill grid that will lead to forced vaccinations\nthe above video features very important information you will hear nowhere else joe imbriano discusses the plan to microwave all of us and how it eventually will result in forced vaccinations unless we thwart their evil plans for culling humanity", + "https://www.vaccinationinformationnetwork.com/", + "FAKE", + -0.21600000000000003, + 57 + ], + [ + "Novel Coronavirus — The Latest Pandemic Scare", + "story ataglance as of february 2 2020 mainland china reported 17187 confirmed cases of novel coronavirusinfected pneumonia ncip including 362 deaths the first case was reported in december 2019 since then cases have also been reported in at least 23 other countries including the us canada australia japan thailand vietnam singapore taiwan south korea and france clinical manifestations of ncip are consistent with viral pneumonia the hysteria being drummed up follows a wellworn pattern where the population is kept in a state of fear about microbes so that drug companies can come to the rescue with yet another expensive and potentially mandatory drug or vaccine in january 2018 chinas first biosecurity level 4 lab designed for the study of the worlds most dangerous pathogens opened its doors in wuhan city the epicenter of the current ncip outbreak october 18 2019 johns hopkins center for health security the world economic forum and the bill and melinda gates foundation sponsored a pandemic preparedness exercise in new york practicing for the emergence of a new fictional viral illness dubbed coronavirus acute pulmonary syndrome chances are youve heard the news about a new and potentially lethal coronavirus1 ground zero is wuhan city hubei province in china as of february 2 2020 mainland china reported2 a total of 17187 confirmed cases including 2110 severe cases and 362 deaths including a retired doctor working with coronavirus patients in wuhan3 the first case was reported in wuhan on december 21 2019 according to promed international society for infectious diseasespatients clinical manifestations were consistent with viral pneumonia most patients had severe and nonproductive cough following illness onset some had dyspnea and almost all had normal or decreased leukocyte counts and radiographic evidence of pneumoniahuanan seafood wholesale market has western and eastern sections and 15 environmental specimens collected in the western section were positive for 2019ncov virus through rtpcr testing and genetic sequencing analysis despite extensive searching no animal from the market has thus far been identified as a possible source of infectionon january 21 2020 the us centers for disease control and prevention confirmed the first us case5 a patient in washington state who had recently visited wuhan china a second case in illinois was confirmed january 24 20206 this patient had also recently returned from a visit to wuhan as of february 2 2020 there were 11 confirmed cases in the ussince then cases have also been reported in at least 23 other countries8 including canada australia9 japan thailand south korea10 france11 taiwan vietnam singapore and saudi arabia12 globally there were 14 557 confirmed cases and one death as of february january 22 2020 china shut down all transport networks in and out of wuhan a city with a population of 11 million in an effort to contain the spread of the diseaseelderly appear particularly vulnerable so far most of those who have died have been elderly as reported by the foreign policy journalone puzzling aspect so far is the thankful lack of child victims usually children with less developed immune systems than adults come down with one illness after anotheryet few children have yet been reported with coronavirus symptoms that does not mean that no children have been infected a similar pattern of benign disease in children with increasing severity and mortality with age was seen in sars and merssars had a mortality rate averaging 10 percent yet no children and just 1 percent of youths under 24 died while those older than 50 had a 65 percent risk of dying is being an adult a risk factor per se if so what is it about childhood that confers protectionthe foreign policy journal goes on to suggest children may be protected by other vaccines given during childhood such as the measles and rubella vaccines it even goes so far as to wonder whether innate immunity against the coronavirus might be boosted in adults by giving them the measles vaccineif you ask me that would be a significant longshot vaccines have risks so getting a vaccine on the remote chance that it might confer protection against a completely different infection than what its designed for seems inappropriate in the extreme as noted in the washington examinersending out coronavirus vaccines wont make sense unless the spread gets worse the bare facts at least as far as anyone knows them yet are that a global rollout of a coronavirus vaccine would kill some 7000 people or soof course were never going to get everyone vaccinated and im guessing here but that average death rate from vaccination for all things is one in a millionyes thats including those influenza shots the old folks are abjured to get every winter we know that some will die because of them that we know this is exactly why we have the vaccine compensation programthe tradeoff in this situation is how many we kill by giving them the vaccine versus how many die without it the coronavirus is simply not widespread enough yet to take the risk of jabbing everyonesource of novel coronavirus remains unknown like other coronaviruses such as the middle east respiratory syndrome coronavirus merscov and the severe acute respiratory syndrome coronavirus sarscov this new coronavirus dubbed 2019ncov17 is suspected of being zoonotic meaning it can be transmitted between animals and humansthe disease itself has been named novel coronavirusinfected pneumonia or necip18 as reported by cnnboth sars and mers are classified as zoonotic viral diseases meaning the first patients who were infected acquired these viruses directly from animalsthis was possible because while in the animal host the virus had acquired a series of genetic mutations that allowed it to infect and multiply inside humans now these viruses can be transmitted from person to person in the case of this 2019 coronavirus outbreak reports state that most of the first group of patients hospitalized were workers or customers at a local seafood wholesale market which also sold processed meats and live consumable animals including poultry donkeys sheep pigs camels foxes badgers bamboo rats hedgehogs and reptileshowever while media have been quick to blame the outbreak on snakes20 and bat soup21 as of january 22 none of the animals sold at the wuhan huanan wholesale seafood market had been found to carry the virus22 meanwhile a number of other reports cast a disturbing light on the outbreak raising questions about biohazard safety at laboratories working with dangerous pathogensseason of fear and national budgeting go hand in hand whatever the source the hysteria being drummed up follows a now wellworn pattern where the population is kept in a perpetual state of anxiety and fear about microbes so that drug companies aided by federal health officials can come to the rescue with yet another expensive and potentially mandatory drug or vaccine\nback in 2005 headlines warned the us was facing a cataclysmic extermination event with a calculated 2 million americans succumbing to the bird flu the bestcase scenario had a calculated death toll of 200000 the same scare tactics were used during the 2009 swine flu outbreakboth pandemics turned out to be grossly exaggerated threats but that didnt result in a more conservative coolheaded approach to subsequent outbreaks if anything efforts to drum up fear and hysteria have only escalatedin 2014 we were told ebola might overtake the us and then it was pertussis outbreaks23 in january 2015 it was measles in disneyland in january 2016 it was zika followed by more news about pertussis outbreaks24 in 2017 and 2018 it was influenza25 then back to measles again in 201926 now we have coronavirus\njanuary and february appear to be a favorite time to launch a global disease scare with the dutiful assistance of corporatized media its convenient seeing how usually by the first monday in february every year feb 3 2020 the president sends the us congress the administrations budget requesting funds to be allocated to federal agencies for the next fiscal years budget oct 1 2020 sept 30 2021each time theres a public health scare the pharma and public health lobby is able to vie for a larger slice of taxpayer money to pay for drug and vaccine development28 january 23 2020 dr anthony fauci director of the nihs national institute of allergy and infectious diseases announced a coronavirus vaccine is in the pipeline with human trials set to start in about three months29 stock prices for makers of coronavirus vaccines experienced an immediate upswing3031 in response to media reports of impending doommoratorium on sarsmers experiments lifted in 2017 as mentioned a number of reports raise questions about the source of the 2019ncov for starters a 2014 npr article32 was rather prophetic it discusses the october 2014 us moratorium on experiments on coronaviruses like sars and mers as well as influenza virus that might make the viruses more pathogenic andor easy to spread among humansthe ban came on the heels of highprofile lab mishaps at the cdc and extremely controversial flu experiments in which the bird flu virus was engineered to become more lethal and contagious between ferrets the goal was to see if it could mutate and become more lethal and contagious between humans causing future pandemicshowever for the past decade there have been red flags raised in the scientific community about biosecurity breaches in high containment biological labs in the us and globally33 there were legitimate fears that a labcreated superflu pathogen might escape the confines of biosecurity labs where researchers are conducting experiments its a reasonable fear certainly considering that there have been many safety breaches at biolabs in the us and other countries34353637\nthe federal moratorium on lethal virus experiments in the us was lifted at the end of december 201738 even though researchers announced in 2015 they had created a labcreated hybrid coronavirus similar to that of sars that was capable of infecting both human airway cells and micethe nih had allowed the controversial research to proceed because it had begun before the moratorium was put in place a decision criticized by simon wainhobson a virologist at pasteur institute in paris who pointed out that if the new virus escaped nobody could predict the trajectoryothers such as richard ebright a molecular biologist and biodefence expert at rutgers university agreed saying the only impact of this work is the creation in a lab of a new nonnatural riskwuhan is home to lab studying worlds deadliest pathogens in january 2018 chinas first maximum security virology laboratory biosecurity level 4 designed for the study of the worlds most dangerous pathogens opened its doors in wuhan4142 is it pure coincidence that wuhan city is now the epicenter of this novel coronavirus infectionthe year before tim trevan a maryland biosafety consultant expressed concern about viral threats potentially escaping the wuhan national biosafety laboratory43 which happens to be located just 20 miles from the wuhan market identified as ground zero for the current ncip outbreak44 as reported by the daily mail45 the wuhan lab is also equipped for animal research and regulations for animal research especially that conducted on primates are much looser in china than in the us and other western countries but that was also cause for concern for trevanstudying the behavior of a virus like 209ncov and developing treatments or vaccines for it requires infecting these research monkeys an important step before human testingmonkeys are unpredictable though warned rutgers university microbiologist dr richard ebright they can run they can scratch they can bite he said and the viruses they carry would go where their feet nails and teeth docoronavirus outbreak simulation took place in october 2019 equally curious is the fact that johns hopkins center for health security the world economic forum and the bill and melinda gates foundation sponsored a novel coronavirus pandemic preparedness exercise october 18 2019 in new york called event 20146 the simulation predicted a global death toll of 65 million people within a span of 18 months47 as reported by forbes december 12 2019the experts ran through a carefully designed detailed simulation of a new fictional viral illness called caps or coronavirus acute pulmonary syndrome this was modeled after previous epidemics like sars and merssounds exactly like ncip doesnt it yet the new coronavirus responsible for ncip had not yet been identified at the time of the simulation and the first case wasnt reported until two months laterforbes also refers to the fictional pandemic as disease x the same designation used by the telegraph in its january 24 2020 video report could this coronavirus be disease x49 which suggests that media outlets were briefed and there was coordination ahead of time with regard to use of certain keywords and catchphrases in news reports and opinion articlesjohns hopkins university jhu is the biggest recipient of research grants from federal agencies including the national institutes of health national science foundation and department of defense and has received millions of dollars in research grants from the gates foundation50 in 2016 johns hopkins spent more than 2 billion on research projects leading all us universities in research spending for the 38th year in a rowif research funded by federal agencies such as the dod or hhs is classified as being performed in the interest of national security it is exempt from freedom of information act foia requestsresearch conducted under the biomedical advanced research and development authority barda is completely shielded from foia requests by the public53 additionally agencies may deny foia requests and withhold information if government officials conclude that shielding it from public view protects trade secrets and commercial or financial information which could harm the competitive posture or business interests of a companythe us centers for disease control and prevention under the us department of health and human services states that its mission is to protect america from health safety and security threats both foreign and in the us55 clearly it will be difficult to obtain information about governmentfunded biomedical research on microbes like coronavirus conducted at major universities or by pharmaceutical corporations in biohazard labshow likely is it then that the coronavirus outbreak making people so sick today suddenly emerged simply because people ate bats and snakes in a wuhan market it looks more like a biosecurity accident but until more is known inevitably there will be more questions than answers about whether this latest global public health emergency is a more ambitious tactical sand table exercise echoing unanswered questions about the 2009 swine flu pandemic fiascothis time there could be a lot more bodies left on the field although some statisticians conducting benefit cost analyses may consider 65 million casualties in a global human population of 78 billion people56 to be relatively small when advancing medical research conducted in the name of the greater goodsigns and symptoms of ncip according to the who signs and symptoms of ncip in its initial stages includefever fatigue sore throatshortness of breath dry cough in more severe cases the infection can lead to pneumonia severe acute respiratory syndrome and kidney failurecare advice whos rapid advice note detailing how to care for patients presenting mild symptoms of ncip in the home can be downloaded here recommendations includeplacing the patient in a wellventilated room limiting the number of caretakers ideally designate a healthy younger person who has no underlying risk factors to care for the patient older people appear to be more susceptible to severe disease keeping other household members in a different room or keeping a distance of at least 1 meter 32 feet from the patient limiting the movement of the patient and minimizing shared space make sure shared spaces such as kitchen and bathroom are wellventilated by keeping the windows open instructions on protective gear such as protective masks and gloves and the safe handling and disposal of them are also detailed as are special instructions for how to maintain good hygiene to prevent the spread of the virus throughout the homegeneral recommendations for how to reduce your risk of contracting an infection at home work or when traveling can be found on whos novel coronavirus advice for the public pagea key recommendation which applies to all infections both bacterial and viral is to frequently wash your hands with soap and water also be sure to cover your mouth and nose when coughing or sneezing and avoid close contact with anyone exhibiting symptoms of cold or influenza according to peter horby professor of emerging infectious diseases and global health at the centre of tropical medicine and global health at the university of oxford ncip has the hallmark signs of classic viral pneumonia and since there are currently no antivirals available for ncip the focus of care is to support the lungs and other organs until the patient recoversduring this time i recommend boosting your immune system with regular sensibly controlled sun exposure and when unable to do that taking oral vitamin d3 adding liposomal vitamin c and quercetin supplements can also be helpful all three help protect against infections in general and quercetin may offer benefits as a treatment for sars coronavirus infections60 according to a study61 in the journal of virology as an fda approved drug ingredient quercetin offers great promise as a potential drug in the clinical treatment of sars resveratrol is another antioxidant that could be useful its been shown to inhibit merscov infection at least in vitro62 there are some events that happen which are not in our control but one thing we can do is learn how to better respond to bad news that causes stress which can depress the immune system", + "https://articles.mercola.com/", + "FAKE", + 0.09464371572871574, + 2917 + ], + [ + "This whole thing STINKS!", + "this whole thing stinks itʼs a deliberately released bioweapon they want total population control and subjugation america sic donʼt give into them or america is forever ruined and concurred", + "http://8ch.net", + "FAKE", + -0.13333333333333333, + 29 + ], + [ + "Corona Tyranny – and Death by Famine", + "by the end of 2020 more people will have died from hunger despair and suicide than from the corona disease we the world is facing a faminepandemic of biblical proportions this real pandemic will overtake the covid19 pandemic by a long shot the hunger pandemic reminds of the movie the hunger games as it is premised on similar circumstances of a dominant few commanding who can eat and who will die by competitionthis hunger pandemic will be underreported or not reported at all in the mainstream media in fact it has started already in the west the attention focuses on the chaos created by the privatized forprofit mismanagement of the health system it slowly brings to light the gross manipulation in the us of covid19 infections and death rates how hospitals are encouraged to declare deaths as covid19deaths for every covid19 deathcertificate the hospital receives a us13000 subsidy and if the patient dies on a ventilator the bonus amounts to us 39000in real life poor people cannot live under confinement under lockdown not only have many or most already lost their meager living quarters because they can no longer pay the rent but they need to scrape together in the outside world whatever they can find to feed their families and themselves they have to go out and work for food and if there is no work no income they may resort to ransacking supermarkets in the city or farms in the country side food to sustain life is essential taking the opportunity to buy food away from people is sheer and outright murderevery child who dies from famine in the world is a murder jean ziegler former unrapporteur on food in africayes the diabolical masters of darkness who invented and launched this covid19 pandemic are nothing less than murderers massmurderers that is they are committing mass genocide on a worldwide scale in proportions unknown in recent history of human kind and this to dominate a world under a new world order aiming at a massively reduced world populationthe selfimposed new rulers decide who will live and who will die their selfpromoting dogooder agenda à la bill gates and co professes to reduce world poverty yes by killing the poor by for example tainted toxic vaccinations rendering african women infertile the gates foundation with support of who and unicef have a track record of doing so in kenya and elsewhere see here kenya carried out a massive tetanus vaccination program sponsored by who and unicef or letting the underdeveloped the already destitute die by famine preventing them from access to sufficient food and drinking water privatizing water privatizing even emergency food supplies is a crime that leads exactly to this lack of access due to unaffordable pricingshould this not be enough lock step has other solutions to enhance starvation haarp high frequency active auroral research program can help haarp has been perfected and weaponized according to us air force document af 2025 final report weather modification can be used defensively and offensively ie to create droughts or floods both of which have the potential of destroying crops destroying the livelihood of the poorand if that is not enough the 2010 rockefeller report also foresees food rationing selectively of course as we are talking about eugenics lets not forget henry kissingers infamous words he uttered in 1970 who controls the food supply controls the people the quote goes on saying who controls the energy can control whole continents who controls money can control the worlda recent facebook entry name and location not revealed for personal protection reads as follows in the poorer country where i live the entire village is on lockdown since march 16 here the people having nothing to eat the wife of my main worker was raped and beaten to death she was of chinese descent in spite of not being allowed to go outside the people were starving and rampaged walking miles from farm to farm destroying everything i have lost my entire livestock fruits vegetables the houses were burned and the vehicles tools etc stolen i am bankrupt with nobody around who can give money to rebuild my workers cannot be paid their families are also starving more malnutrition and undernourishment which will lead to a higher starvation rate or death from other diseases how many will commit suicide through landing on the streets completely impoverished how many died in india trying to walk literally up to thousands of miles to get back home in the hope of finding refuge after all public transportation was shut down and all had to go into lockdown i am sure that these numbers will be a lot higher than the number who have died from the virus as well as will increase the numbers for those dying of next years flue due to a weakened immune systemand as an afterthought maybe the elite are planning depopulation it sure looks like itthis happened somewhere in the global south but the example is representative for much of the global south and developing countries in general and probably much worse is to come as we are seeing so far only a tiny tip of the icebergthe international labor organization ilo reports that worldwide unemployment is reaching neverseen mammoth proportions that about half of the worlds workforce 16 billion people may be out of work that means no income to pay for shelter food medication it means starvation and death for millions especially in the global south which has basically no social safety nets people are left to themselvesthe new york times nyt reports 1 may 2020 that in the us millions of unemployed go uncounted as the system cannot cope with the influx of claims add these millions to the already reported more than 27 million unemployed the tally becomes astronomical the same nyt concludes that the millions who have risen out of poverty since the turn of the century are likely to fall back into destitution along with millions moredying of famine mostly in the global south but not exclusively is an atrocious death for millions maybe hundreds of millions dying in the gutters of megacities forgotten by society by the authorities too weak to even beg infested with parasites due to lack of hygiene rotting away alive this is already happening today in many metropolises even without the corona disaster these people are not picked up by any statistics they are nonpeople periodimagine such situations in large cities as well as in rural areas under plan lock step rockefeller kissinger gates et al the death toll would be orders of magnitude higherthe current lockdown brings everything to halt practically worldwide the longer it lasts the more devastating the social and economic impact will be irretrievable not only production of goods services and food comes to a halt but vital supply chains to bring products from a to a to b are interrupted workers are not allowed to work security for your own protection the virus the invisible enemy could hit you it could kill you and your lovedones too fearfearfear thats the moto that works best it works so well that people start screaming gimmi gimmi gimmi gimmi a vaccine which brings a happy grin on bill gates face as he sees the billions rolling and his power risingbill gates along with who he bought will become famous they will save the world from new pandemics never mind their side effects 7 billion people vaccinated bill gates wet dream and nobody has time to care or report about side effects no matter how deadly they may be the bill and melinda gates foundation bmgf may be slated for the peace nobel prize and who knows bill gates may become one of the next presidents of the dying empire wouldnt that be an appropriate reward for the world meanwhile the rather coldblooded imf maintains its awfully unrealistic prediction of a slight economic contraction of the world economy of a mere 3 in 2020 and a slight growth in the second half of 2021 the imfs approach to world economics and human development to social crisis is fully monetized and lacks any compassion and thus becomes utterly irrelevant in the age of corona institutions like the imf and the world bank mere extension of the us treasury they are passé in the face of an economic collapse for which they are also in part responsiblewhat they should do perhaps imf and wb combined is call for a capital increase of up to 4 trillion sdrs as was suggested by some of the imf board members and use the funds as a special debt relieve fund a debt jubilee fund for global south nations handed out as grants this would allow these nations to get back on their feet back to their sovereign national monetary and economic policies recovering their internal economy with a national currency public banking and a governmentowned central bank creating jobs and internal autonomy in food health and educationwhy is this not happening it would require a change in their constitution and a redistribution of voting rights according to new economic strength of nations china would become a much more important player with a more important share and decisionmaking role of course thats what the us does not want to happen but the unwillingness to adapt to new realities makes these institutions irrelevant to the point that they should and might fade awayinterestingly though two of the three economic projection scenarios of the imf foresee another pandemic or a new wave of the old pandemic in 2021 what does the imf know that we dontjuxtaposed to the insensitive approach of the global financial institutions and the globalized private banking system the world food program warns 25 april 2020 that the covid19 pandemic will cause famines of biblical proportions that without urgent action and funding hundreds of millions of people will face starvation and millions could die as a result of the covid19 pandemicas it is every year about 9 million people die from famine in the worldthe wfp executive director david beasley told the un security council that in addition to the threat to health posed by the virus the world faces multiple famines within a few short months which could result in 300000 deaths per daya hunger pandemicbeasley added that even before the outbreak the world was facing the worst humanitarian crisis since world war ii this year due to many factors he cited the wars in syria and yemen the crisis in south sudan and locust swarms across east africa he said that coupled with the coronavirus outbreak famine threatened about three dozen nationsaccording to the wfps 2020 global report on food crises released monday 20 april 135 million people around the world were already threatened with starvation beasley said that as the virus spreads an additional 130 million people could be pushed to the brink of starvation by the end of 2020 thats a total of 265 million peoplethe famine pandemic is further exacerbated by the ongoing refugee crisis which is also a catastrophe of misery hunger disease lack of shelter total lack of hygiene in most of the refugee campsprofessor jean ziegler sociologist universities geneva and sorbonne paris vicepresident of the un human rights committee recently visited the refugee camp of moria on the greek island of lesbos he described a situation where 24000 refugees are cramped into military barracks that were built for 2800 soldiers live under calamitous circumstances lack of potable water insufficient and often inedible food clogged and much too few stinking toilets diseases no end covid19 would just be a sidelinethese people who fled europeandwesterncaused warzones destroyed livelihoods are being pushed back by the very european union as most countries do not want to host them and give them a chance for a new life this atrocious xenophobic behavior of europe is against human rights all eu countries signed and against internal eu rules they are a sad reminder of what europe really is a conglomerate of countries with a history of hundreds of years of colonization of merciless exploitation plundering and raping of the global souththis abjectly atrocious characteristic shamelessly continuing to this day seems to have become an integral part of the european dna these wars and conflicts are willfully usnato made for power greed to maintain the us military industrial complex alive and profitable and as a stepping stone towards total world hegemonythe refugees emanating from these conflict zones their fate and famine will be added to those starving form the also manimposed corona crisis the death toll from sheer hunger and faminerelated causes may become astronomical by the end of 2020 wayway outweighing and dwarfing the doctored and manipulated covid19 figuresmy final words follow you heart open your heart to love and beyond your five given and mediamanipulated senses and enter a higher consciousness get out of fear get out of the lockdown stand up for your rights for your freedom because freedom and liberty cannot be bought with money nor trampled by the media they are inherently within us all if enough of us open our hearts to love to an allenglobing love we will overcome this small psychopathic elite", + "https://journal-neo.org/", + "FAKE", + 0.03515757724520612, + 2204 + ], + [ + "China Cures Coronavirus with Vitamin C; Research Suggests Selenium", + "i live in china this year like every other people with severely compromised immune systems were and are suffering from pneumonia in early january 2020 in wuhan china a place with dreadful air qualityhospitals started receiving patientsin fact for most of november all of december and most of january the air quality index aqi was so bad that local governments regularly issued standard health warnings due to high levels of particulate matter at my school in shanghai if the aqi is over 150 children are cannot play outside this is based on government advisories and please be aware far from hiding the problem government officials in china at the regional and national level readily provide daily and historical reports of the air quality index noting particulate matter pm25 and more thus we can track data for wuhan and most other large cities and urban areas for the past six yearsunsurprisingly those diagnosed with severe forms of covid19 are the elderly and immunocompromised additionally people who have a host of preexisting conditions are at higher risk nejm march 30th 2020 the bostonbased nonprofit health effects institute says anywhere from 500000 to 1250000 chinese die due to air pollution alone each year see pages 1113 but the question this report discusses is when people have pneumonia or other respiratory difficulties what are the best treatment protocolsceep it cimple ctupid intravenous vitamin c againall across china not just in wuhan but also in other cities that saw pneumonia cases and note chinese medical teams discuss covid19 as pneumonia people are being cured with vitamin ci am including the details from a public report written in chinese and published by a medical team xibei hospital affiliated with jiao tong university in the city of xian shaanxi province to complete the translation i used a combination of programs and resources google translate pleco and baidu fanyigiven what the doctors in xian knew of reports from wuhan which is 500 miles away from xian in the neighboring province of hubei and from seeing pneumonia patients in early february 2020 a team at the xibei hospital devised a protocol centered on the use of intravenous iv vitamin c against the coronavirus they first treated patients on february 10th critically ill patients received 200 mg of soluble vitamin c per kg body weight once every 12 hours after the first two treatments the patient would get 100 mgkg every 24 hours for the next four days those presenting with moderate symptoms were given 100 mgkg on day onearguably these doses are too low practitioners and researchers like dr suzanne humphries 2014 and thomas levy jd phd 2017 posit that intravenous infusions of vitamin c should be from 50100g per day and can be repeated every 37 daysthe xibei protocolusing the xibei protocol a person weighing 70 kg 154 pounds would receive a total of 28 grams of vitamin c on the first day thereafter they would receive 7 g per day the clinical trial in wuhan gave similar doses on february 14th 2020 the university hospital started giving pneumonia patients a nonbody weightdependent dose of 12 g of vitamin c every 12 hours for seven dayseven with their relatively low doses patients in xian were released after four to eight days of vitamin c thus the protocol emphasizing the antioxidant ascorbic acid has been a clear successnevertheless my question is why dont we hear of anything about intravenous vitamin c as a routine practice in the united states or even in other developed countries with reported covid19 cases like italy spain germany france or iranwhat does the research say about vitamin cthe teams in china did not choose to administer vitamin c due to mere guesswork to make the decision they cited the medical literature and used their knowledge about respiratory diseases and oxidative stressdr zhi yong peng at the zhongnan hospital at wuhan university justified his decision to use vitamin c notingfor most viral infections there is a lack of effective antiviral drugs vitamin c ascorbic acid has antioxidant properties clinical studies have shown that vitamin c can effectively prevent sepsis and related cytokine storms in addition vitamin c can protect the lungsvitamin c can effectively shorten the duration of or even prevent the common cold in a controlled trial 85 of 252 students experienced a reduction in cold symptoms after receiving highdose vitamin c group 1g per hour for 6 hours followed by 1g every 8 hoursxibei report on vitamin c according to the xibei hospital 2020 reportfor patients with severe neonatal pneumonia and critically ill patients vitamin c treatments should be initiated as soon as possible after admission this is because whether the illness was similiar to infections seen in the past like keshan disease sars middle east respiratory syndrome mers or the current new covid19 pneumonia the main cause of death of patients is cardiopulmonary failure caused by increased acute oxidative stress when the virus causes increased oxidative stress in the body and increased capillary permeability early application of large doses of vitamin c can have a strong antioxidant effect reduce inflammatory responses and improve endothelial heart tissue functionthey addnumerous studies have shown that treatment with doses of vitamin c promote excellent results our past experience in successfully rescuing acute keshan disease and current studies at home and abroad show that highdose vitamin c can not only improve viral resistance but more importantly can prevent and treat acute lung injury and acute respiratory distress ardswhy not nutritiondr thomas levy has written many books and has given many lectures on the benefits of vitamin c for curing disease and body detoxification of course levy attributes this information great pioneer frederick klenner md klenner used ascorbic acid and developed protocols with intravenous and intramuscular applications of high dose vitamin c he was published as early as 1949reporting cures of polio measles mumps chickenpox and morebecause i knew of the benefits of high dose vitamin c in early february i encouraged four expat doctors working in wenzhou china to give it to their patients wenzhou a city of over 10 million was the second chinese city placed under a complete quarantine these doctors ridiculed me and scoffed at the idea that nutrition could provide any relief to coronavirus patients one actually said a vaccine is the only solution as a virus has no effective treatment i voiced my objection to that idea and had plans to use the antiviral drugs then being touted by the whoagain i insisted that antioxidants could save the sick to this the md added nutrition is important but if nutrition is enough why do governments make hospitals and medical collegeswhy indeedwhat about seleniumwhen i read the press release and protocol from jiao tong university hospital i wanted to learn more about keshan disease that rabbit hole only introduced me to more evidence that confirmed how nutrition can cure below are some excerpts from the wikipedia entry on keshan diseasekeshan disease named after keshan county of heilongjiang province in northeast china is a congestive cardiomyopathy caused by a combination of dietary deficiency of selenium and the presence of a mutated sic strain of coxsackievirus sic often fatal the disease afflicts children and women of childbearing age it is characterized by heart failure and pulmonary edemaafter reading all the references cited by the wiki page i concluded the following about keshan disease and the state of scientific knowledge symptoms of respiratory difficulty and congestive heart disease were found to be prevalent in a wide belt of territory extending from northeast to southwest china including parts of shaanxi province see ge and yang 1979 those areas which are replete with seleniumdeficient soilsb the research holds that keshan disease peaked from 19601970 when thousands died of the disease and during that decade china experienced a manmade famine then followed by food shortages especially in rural parts of chinac intentional dietary supplementation with selenium reduced the incidence and harm of keshan disease in china see ge and yang 1979keshan diseasebeck et al 2003 cited a 1979 report from china the report declared unequivocally populations living in areas of china with seleniumrich soils did not develop keshan diseasegiven their interest beck et al 2003 conducted research into the role of selenium and keshan disease they concludedexperiments with mice suggest that together with the deficiency in selenium an infection with coxsackievirus was required for the development of keshan diseaseplease appreciate the idea that viruses cause disease is not universally acceptedand arguably wrong for keshan disease in particular ge and yang 1979 claimed that keshan disease was and is not related to any virus instead they note it as seasonal coming in the winter ge and yang 1979 explored the question of a viral cause for keshan disease but rejected that hypothesis due to a lack of evidence though most medical practitioners insist that viruses cause disease recall that in 2005 peter doshi discovered that despite claims that influenza virus kills thousands of americans every year for 2001 america had only 18 confirmed flu deaths\nthe lack of evidence for a viral infection causing keshan disease and the failure to find a flu virus in fatalities attributed to a virus should guide our thinking about covid19 today remember the chinese doctors in xian treat pneumonia as pneumonia and they lump together different viruses sars mers etc saying that each causes oxidative stressoxidative stressif diseaseall diseaseis really about oxidative stress as dr thomas levy holds maybe the type of virus is irrelevant keep in mind even though virologists categorize many types of viruses there are no true species of viruses racaniello 2019 lecture 1 minutes 5657to determine whether selenium deficiency was a specific link to the coxsackievirus beck et al 2003 injected the influenza virus into seleniumdeficient mice and mice fed with adequate amounts of selenium as we should expect the seleniumdeficient mice had more severe pathology more inflammatory distress and produced more tcells antibodies and hormones when they developed the respiratory infectionconsider that the viruses associated with pneumonia and other types of respiratory distress are different in human populations we generally see respiratory ailments with flulike symptoms andor pneumonia during the winter months additionally we see respiratory illness in persons depleted of an essential antioxidant selenium that is they are suffering from oxidative stress when exposed to the pathogendeficiency in cubagoing back to beck et al 2003 because their investigation into keshan disease attributed the ailment to both selenium deficiency and a virus sic the team wanted to bolster their thesis with a case study they provided some discussion about the relationship between said virus and selenium in another part of the worldcubaduring a period of severe nutritional deficit in cuba 19891993 doctors found a rash of patients developing optic and peripheral neuropathy beck et al 2003 the cuban doctors discovered that their sick patients had oxidative stress due to selenium deficiency and 84 had some mutated form of coxsackievirus and the outbreaks occurred in the winter months when vitamin d3 bloodlevels would be lowest beck et al 2003just putting these few sources together we know thatpeople get sick in winter a virus is not essential to the formation of an illness or diseasemore significantly neither specific viruses nor any distinct diseases have a link to selenium deficiency selenium is an antioxidant and when we raise our antioxidant levels and reduce oxidative stress we can stay infectionfree ergo the key to beating or avoiding pneumonia a cold the flu or any respiratory ailment is to consume adequate amounts of selenium and vitamin cother important nutrients to take as supplements are vitamins a e and k bcomplex magnesium and zincconquer covid crazinessand encourage others too the last time i took a class at a university was spring 2001 since that time ive been enjoying the benefits of my virtual universitythe internet over the last 20 years i have heard lectures from professors and researchers on radio podcasts and youtube we now have access to millions of peerreviewed articles books and historical accounts i studied the best that our information age can offer i learn from drs viera scheibner gary null sherri tenpenny thomas levy rashid buttar sherry rogers nick gonzales leonard coldwell linus pauling fred klenner toni bark william kelley and many morebut i have not just absorbed their information i have used their work as a jumpingoff point to do further research and you can toothe allopaths either do not know or do not care about nutrition just ask allan smith there is a general awareness of the intellectual laziness of american physicians i have observed this after interactions with westerntrained doctors from south africa india and the middle east the arrogance of their ignorance is endemicfrom my survey of the current news if you are in america or europe all you hear is that the best doctors can offer is hydroxychloroquine antivirals or a future vaccine but from the research we can see that instead of their pharmaceutical drugs which can mask symptoms but do not cure what we all need is seleniumrich food or whole food supplements and high doses of vitamin ccan we get back to normalcythere will always be people with viruses and respiratory difficulties they will be suffering from oxidative stressand that is not contagious the numbers will rise in the winter when there is less sun less sun lowers vitamin d3 levels and reduces the absorption of phosphorous additionally people are more likely to eat more starchy foods and get less vitamin c in their dietthis is why we hear of members of congress professional athletes in nba nhl and worldclass soccer players testing positive for covid these people were not in china not eating bat soup and not sharing ventilators with older people in italian icu wards they did not contract an exogenous virustheir bodies made the virus due to oxidative stress in fact spontaneous endogenous generation of viruses referred to by some as exosomes would explain why beck et al 2003 discovered mutated and more virulent strains of the coxsackievirus in their seleniumdepleted mice they also discovered these strains in human subjects with low selenium this also notes why researchers are forever finding new and mutated versions of virusesregardless as del bigtree 2020 showed from the european data minutes 8090 in the winter of 2018 death rates across europe were far higher than todaybut there was no declaration of an epidemic or pandemic and there was no global shut downno fear of the unknown this is not a time to accept economic stagnation and the social dislocation that will accompany it it is not a time to fear that which you cannot see a virusespecially given that no medical doctor has ever proven that said viruses cause illness i will present more on the virus theory in future articlesget your vitamin c selenium and zinc wash your hands to prevent bacterial infection and tell your friends to do the same", + "https://vaxxter.com/", + "FAKE", + 0.10224955179500639, + 2488 + ], + [ + "Early Large Dose Intravenous Vitamin C is the Treatment of Choice for 2019-nCov Pneumonia", + "the 2019ncov coronavirus epidemic originated in wuhan china and is now spreading to many other continents and countries causing a public fear worst of all there is no vaccine or specific antiviral drugs for 2019ncov available this adds to the public fear and gloomy outlook a quick rapidly deployable and accessible effective and also safe treatment is urgently needed to not only save those patients to curtail the spread of the epidemic but also very important in the psychological assurance to people worldwide and to the chinese in particular acute organ failure especially pulmonary failure acute respiratory distress syndrome ards is the key mechanism for 2019ncovs fatality significantly increased oxidative stress due to the rapid release of free radicals and cytokines etc is the hallmark of ards which leads to cellular injury organ failure and death early use of large dose antioxidants especially vitamin c vc therefore plays a key role in the management of these patients we call upon all those in the leadership and those providing direct assistance patients to bravely and rapidly apply large dose intravenous vitamin c ivc to help those patients and to stop this epidemic2019ncov is a rapidly developing epidemic with a high morbidity and mortalitywang et al reports 26 icu admission rate and a 43 mortality rate in their 138 confirmed cases chen et all report that out of 99 confirmed 2019ncov patients 17 17 patients developed ards and among them 11 11 patients worsened in a short period of time and died of multiple organ failureincreased oxidative stress an underlying cytokine storm leads to ards which is the key pathology of high mortality of these pandemic viral infections cytokine storminduced ards is the key pathology leading to death of these patients intravenous vitamin c effectively counters oxidative stresscytokine storm\ncoronaviruses and influenza are among the pandemic viruses that can cause lethal lung injuries and death from ards viral infections cause a cytokine storm that can activate lung capillary endothelial cells leading to neutrophil infiltration and increased oxidative stress reactive oxygen and nitrogen species that further damages lung barrier function ards which is characterized by severe hypoxemia is usually accompanied by uncontrolled inflammation oxidative injury and the damage to the alveolarcapillary barrier the increased oxidative stress is a major insult in pulmonary injury such as acute lung injury ali and acute respiratory distress syndrome ards two clinical manifestations of acute respiratory failure with substantially high morbidity and mortality\nin a report of 29 patients confirmed of 2019ncov pneumonia patients 27 93 showed increased hscrp a marker of inflammation and oxidative stress transcription factor nuclear factor erythroid 2related factor 2 nrf2 is a major regulator of antioxidant response element are driven cytoprotective protein expression the activation of nrf2 signaling plays an essential role in preventing cells and tissues from injury induced by oxidative stress vitamin c is an essential element of the antioxidant system in cellular responsepart of vitamin cs biological effects in critical care management are well reviewed in a recent article by nabzdyk and bittner from mass gen hospital of harvard medical school on worlds journal of critical care medicineantioxidants especially large dose iv vitamin c ivc in the management of ards\nits clear that increased oxidative stress plays a major role in the pathogenesis of ards and death cytokine storm is observed in both viral and bacterial infections cytokine storm leads to increased oxidative stress ards and death seems to be a common and nonspecific pathway this is important in clinical management since the prevention and management targeting increased oxidative stress with large dose of antioxidants seems a logical step and can be applied to these deadly pandemics without the lengthy waiting for pathogenspecific vaccines and drugs as is the case of the current 2019ncov epidemicas a matter of fact large dose intravenous vitamin c ivc has been used clinically successfully in viral ards and also in influenza fowler et al described a 26yearold woman developed viral ards rhinovirus and enterovirusd68 she was admitted to icu after failure to routine standard management she was placed on ecmo on day 3 high dose ivc 200mgkg body24 hour divided in 4 doses one every 6 hours was also started on ecmo day 1 her lungs showed significant improvement on day 2 of high dose ivc infusion on xray imaging she continued to improve on ecmo and ivc and ecmo was discontinued on ecmo day 7 and the patient recovered and was discharged from the hospital on hospital day 12 without the need of supplemental oxygen one month later xray of her lungs showed complete recovery gonzalez et al including one of the authors thomas levy reported recently a severe case of influenza successfully treated with high dose ivc 25yearold mg developed flulike symptoms which was rapidly deteriorating to the degree that about 2 weeks later the patient barely had the energy to use the toilet he was placed on high dose ivc 50000 mg of vitamin c in 1000 ml ringers solution infused over 90 minutes the patient immediately reported significant improvement the next day on day 4 of ivc infusion he reported to feel normal he continued oral vc 2000 mg twice daily another story has been widely circulating on the social media that large dose ivc reportedly was used in 2009 to save a new zealand farmer alan smith primal panacea one of us thomas levy was consulted upon in this case 11 12 hemila et al reported that vitamin c shortens icu stay in their 2019 metaanalysis of 18 clinical studies with a total of 2004 icu patients on the journal nutrients in this report 17000 mgday ivc shortened the icu stay by 44 marik et al reported their use of ivc in 47 sepsis icu cases they found a significant reduction in mortality rate in the ivc group of patientsdietary antioxidants vitamin c and sulforaphane were shown to reduce oxidativestressinduced acute inflammatory lung injury in patients receiving mechanical ventilation other antioxidants curcumin have also been shown to have promising antiinflammatory potential in pneumoniahigh dose ivc has been clinically used for several decades and a recent nih expert panel document states clearly that high dose ivc 15 gkd body weight is safe and without major side effectssummary2019ncov pneumonia is a rapidly developing disease with high morbidity and mortality rate the key pathogenesis is the acute lung injury causing ards and death coronaviruses influenza viruses and many other pandemic viral infections are usually associated with an increase oxidative stress leasing to oxidative cellular damage resulting in multiorgan failure antioxidants administration therefore has a central role in the management of these conditions in addition to the standard conventional supportive therapies preliminary clinical studies and case reports show that early administration of high dose ivc can improve clinical conditions of patients in icu ards and flu it needs to be pointed that pandemics like 2019ncov will happen in the future specific vaccines and antiviral drugs rd take long time to develop and are not available for the current ncov epidemic and wont be ready when the next pandemic strikes ivc and other antioxidants are universal agents for ards that can be rapidly applied clinically given that high dose ivc is safe can be effective we call on the involved leadership and healthcare professionals to look into high dose ivc without further delay more clinical studies of the ivc and oral vc such as liposomalencapsulated vc are needed to develop standard protocols for the current use and future uses are urgently needed we hope when the next pandemic strikes we wont be so helpless and well be ready", + "http://orthomolecular.org/", + "FAKE", + 0.12647876945749284, + 1264 + ], + [ + "Hair Weave and Lace Front Made In China May Contain Coronavirus", + "it may be time to show us what your scalp and edges really look like ladies word on the street is that hair weave and lace fronts manufactured in china may contain the coronavirus the centers for disease control and prevention cdc is closely monitoring an outbreak of respiratory illness caused by a novel new coronavirus first identified in wuhan hubei province china chinese authorities identified the new coronavirus which has resulted in thousands of confirmed cases in china including cases outside wuhan city additional cases have been identified in a growing number of other international locations including the united states there are ongoing investigations", + "https://web.archive.org/", + "FAKE", + 0.11085858585858586, + 105 + ], + [ + null, + "bill gates is launching implantable chips which will be used to show whether a person has been tested and vaccinated for corona these microchips will dissolve under the skin leaving identification quantum dots these implants and can also be used as a form of id", + "twitter", + "FAKE", + 0, + 45 + ], + [ + "New Evidence CV Is An Escaped Experiment; U.S. Funded Wuhan Lab", + "a new documentary film by epoch times in collaboration with ntd new tang dynasty television both based in new york details additional concerning and potentially horrifying facts that the wuhan coronavirus is a biological experiment that either escaped or was deliberately released see at end of article this comes as uk ministers are expressing doubt that the coronavirus originated from wuhans hunan seafood market and rather insist that there is credible evidence it came from wuhans lab which also had us fundingthe documentary led by investigative reporter joshua philipp takes an indepth look at the progression of the pandemic from january to april and details how shi zhengli a virologist often called chinas bat woman altered studies throwing the worlds science community off the trail in order to support her claim that the wuhan coronavirus virus covid19 came from bats at the market the film also dissects the virus in great detail exposing its spike or sproteins which has layers of hiv included in it and its nucleoids to the history of the wuhan labs experiments on bats additional claims are made that china has covered up much of the earlier information about the virus in some cases even ordering documents destroyed the film by philipp proves without a doubt at least to this writer that the virus is a biological escaped experimentthis is something that activist post has been raising as a strong possibility to readers despite alternative press being attacked for claiming the virus displayed signs of being a biological weapon produced in a lab dr francis boyle a professor of international law at the university of illinois college of law and the man who drafted the biological weapons act of 1989 recently said in an explosive interview with geopolitics and empire that the coronavirus outbreak in wuhan likely came from the bsl4 lab in the cityboyle stated in the interview that he believes the virus is potentially lethal and an offensive biological warfare weapon or dualuse biowarfare weapons agent genetically modified with function properties boyle also touched on a fact this reporter stated previously how chinese biowarfare agents working at the canadian lab in winnipeg were involved in the smuggling of coronavirus to wuhans lab in july of last yearrecently scientists have now admitted and found that the coronavirus kills the immune system by attacking tcells this alludes to a confirmation of earlier reports retracted by indian scientists that zerohedge reported which stated covid19 sars2 had four new sequences matching hiv inserted into its spike or sproteins dr judy mikovits a molecular biologist and former director at the lab of antiviral mechanisms nci makes the same argument in epoch times film stating that the virus is certainly not natural given the sproteins and eproteinsmikovits isnt the only molecular biologist speaking out czech dr sona pekova is also working on the tests for the virus and stated that its likely an escaped lab experiment due to the modified proteinsministers in uk are now no longer dismissing the theory that the coronavius pandemic erupted due to a biological experiment gone wrong or a deliberate release the dailymail reported there is a credible alternative view to the zoonotic theory based on the nature of the virus perhaps it is no coincidence that there is that laboratory in wuhan it is not discounted cobra the emergency committee led by recently infected recovering borris johnson saideven the pentagon which had previously flatly dismissed the possibility now seems at least open to other considerations according to a recent statement cited by defense onetheres a lot of rumor and speculation in a wide variety of media blog sites etc joint chiefs chairman milley said it should be no surprise to you that we have taken a keen interest in that and we have had a lot of intelligence take a hard look at thatat this point its inconclusive although the weight of evidence seems to indicate natural but we do not know for sure milley saidthe approximate 30 million wuhan institute of virology based ten miles from the infamous wet market is supposed to be one of the most secure virology labs in the world a second institute in the city the wuhan center for disease control and prevention is barely three miles from the accused market is also believed to have carried out experiments on animals such as bats to examine the transmission of coronaviruses the wuhan institute of virology was involved in carrying out research on bats from the yunnan caves which scientists believe is the original source of the outbreak dailymail reportedbeyond that it has now emerged that several us state department cables warned of safety issues of the lab washington post reportedwapo reports that the us state department received two cables from us embassy officials in 2018 warning of inadequate safety at a wuhan china biolab conducting risky studies on bat coronaviruses according to the washington post which notes that the cables have fueled discussions inside the us government about whether this or another wuhan lab was the source of the virus interestingly enough this coincides with a warning that same year from a major us government report from the national academies of sciences engineering and medicine which warned that advances in synthetic biology now allow scientists to have the capability to recreate dangerous viruses from scratch make harmful bacteria more deadly and modify common microbes so that they churn out lethal toxins once they enter the bodyit has also emerged that wuhans virology institute was funded for 37 million by the nih national institutes of health headed by none other than anthony fauci results of the research were published in november 2017 under the headline discovery of a rich gene pool of bat sarsrelated coronaviruses provides new insights into the origin of sars coronavirusthis may explain why despite the virus has been claimed to be airborne and able to spread a now reported 13 feet regardless the us or any country has refused to say the virus may be an escaped lab experiment the fbi also discussed several suspicious encounters where chinese nationals were trying to smuggle viruses out of the us including a coronavirus as activist post reportedthis doesnt include the case in january where the head of harvard universitys chemistry department charles lieber was federally charged with failing to disclose funding from the chinese government after he hid his involvement in chinas thousand talents program along with chinese nationals it also doesnt include an incident in a canadian lab in winnipeg where coronavirus samples were smuggled to wuhans lab in july of last year by a couple typically canadian and us authorities work hand in hand in 2001 after the september 11 attacks the agency established a permanent presence in ottawa canada for terrorism and crossborder related casesthe fbis report also specifically uses the words biosecurity risk when describing china which is typically used to refer to the intentional misuse of pathogens such as for bioterrorism and biosafety which covers accidental release according to the world heath organizationthe lancet medical journal published a study finding that many of the first cases of the novel coronavirus including suspected patient zero had no connection to the wet market leading many including boyle to speculate with abundant evidence listed above that the virus may have been a bio accident lancet also makes note that there are no bats sold at the wuhan seafood market as the cdc themselves admitted many suspect patient zero was actually shi zhenglis assistant huang yan ling who has gone missing and was suspiciously removed from the wuhan institute of virologys website as laowhy86 noted in a youtube video investigating the coronaviruss origins entitled i found the source of the coronaviruszhengli has denied that ling was patient zero expressing it was fake news that her or any other researcher was infected however chinese media has continued the investigation whether or not patient zero was ling or another researcher south chinese scientists have raised concerns as well expressing that there were two separate lab incidents with the coronavirusinfected bats one spilling blood and the other spilling urine on lab workers as activist post reportedironically one of those south chinese scientists was xio botao a researcher who purportedly knew ling and called her in his report patient zeroit is worth noting the lab was officially working with different strains of coronavirus as well as other deadly illnesses like ebola beginning in 2018 this lab is just a few miles away from the huanan wet market where the first case of the coronavirus is believed to have been transmittedeven before the lab opened scientists all over the world were voicing concerns about the potential dangers an article was published in the prestigious science journal nature in 2017 detailing the plans for the lab and sharing expert opinions about how a dangerous bug could leak from the facility in fact the sars virus has escaped from highlevel containment facilities in beijing multiple timesinterestingly enough in 2004 china punished five top officials of the chinese centre for disease control and prevention cdc for the outbreak of sars the investigation found that the release of the virus was due to the negligence of two cdc employees who were infected and was not deliberate china daily reported\nzerohedge pointed out that a job post from the wuhan virology institute on november 18th 2019 asked for researchers to use bats to research the molecular mechanism that allows ebola and sarsassociated coronaviruses to lie dormant for a long time without causing diseaseswhat was missed at the time by many of us is that the same job post board has another shocking post on december 24th 2019 which states the followinglongterm research on the pathogenic biology of bats carrying important viruses has confirmed the origin of bats for major human and animal infectious diseases such as sars and sads and discovered and identified a large number of new viruses in bats and rodents\nin 2015 the national library of medicine published a paper warning that a sarslike cluster of circulating bat coronavirus pose threat for human emergence that same year nature published an article warning that a hybrid labcreated version of a bat coronavirus one related to the virus that causes sars severe acute respiratory syndrome could cause a possible pandemicin 2020 another paper was published in nature which claimed that the wuhan coronavirus is closely related to covzc45 and covzxc21 sampled from bats from zhoushan by the people liberation army of china the eprotein shows 100 amino acid similarity which according to mikovitz proves it is not a natural virus further she adds the sproteins show a similarity to the original sarsaccording to the documentary by epoch times and ntd the following research further illustrates the origins of the wuhan coronaviruson january 23 2020 the wuhan virus exploded while wuhan announced the lockdown of the city dr shi zhengli of the wuhan institute of virology published a paper in the authoritative science journal nature on february 3 2020 stating that the wuhan coronavirus was of probable bat origin the paper indicated that the wuhan virus utilized the same key as sars to gain entry into the human body she also announced the 2019ncov genome sequence was 962 consistent with a bat coronavirus originating in yunnan china called ratg13 signaling a natural source of the wuhan virus\nsince the sars outbreak in 2003 shi zhengli had been conducting research on coronaviruses from 2010 onward the focus of shi and her team was redirected to identifying the capacity for coronavirus transmission across species specifically putting the spotlight on the s protein of the coronaviruses her teams research in the wuhan virology lab has been looking into the part that can make coronaviruses transmittable to humansin june 2010 a team including shi zhengli published a paper it described research to understand the susceptibility of angiotensin converting enzyme 2 ace2 proteins of different bat species to the s protein of the sars virus in the experiments they also modified key amino acid codons to mutate the bats ace2 to examine compatibility with the sars s protein this paper demonstrated their awareness of the special relationship between the s protein and the ace2 receptor it also signified that shi had unearthed the passageway for coronaviruses into human bodiesin october 2013 shi and her team published a paper in nature they claimed a breakthrough in coronavirus research they successfully isolated three viruses from bats one of which had a s protein that integrated with human ace2 receptors this effectively demonstrated the direct human infection of sarslike viruses to humans without the need of an intermediate hostthen in november 2015 shi and her team at the wuhan virology lab once again published a paper this time in the british journal nature medicine they discussed the creation of a synthetic virus a selfreplicating chimeric virus this virus had the sars virus as the framework with the key s protein replaced by the one they had found in a bat coronavirus she mentioned in her 2013 paper this new virus demonstrated a powerful ability for crossspecies infectionthe mice infected with the synthetic virus revealed severe lung damage with no cure this symbolized that shis successful splicing of the sars virus was a key to open the door to the crossspecies transmission they planned to further experiment on primates although shi zhengli did not indicate any conclusion from this research her move to research on primates wasnt done without controversy shis experiments quickly triggered widespread debates from the academic community simon wainhobson of the pasteur institute in france expressed deep concerns he told nature if the new virus escaped nobody could predict the trajectory propagation could happen anywheresymptoms of the coronavirus include a fever cough shortness of breath and other breathing difficulties however according to chinese state media some are not experiencing any of these symptoms and are instead experiencing nausea diarrhea tiredness bad concentration headache irregular heartbeat chest pain cornea inflammation and muscular pains in the limbs back and waist there are also emerging suspected symptoms for example french scientists have warned that covid19 may cause dermatological problems such as hives painful red skin and a condition similar to frostbitebest preventive measures include washing your hands and avoiding public places where someone may be sick according to the cdcsince the virus outbreak was officially announced in january scientists have found a multitude of everlasting damage caused to our bodies including but not limited to heart problems liver damage kidney damage brain damage and lung damage this has many scientists and doctors perplexed and worried about the coronavirus and its effects on our current and future health british scientific advisers have even estimated the pandemic may be as much as 15 to 40 times worse than what china has saidaccording to a leaked audio recording by epoch times a chinese military expert who spoke to military medics revealed that in recovered patients the immune system is totally destroyed and they could remain contagious he added do not expect a vaccine let me tell you do not expect therell be a vaccine those who talked about how vaccines can be developed are all charlatans those who have been infected will have a lot of trouble now that it has spread far and wide whats next how it will develop later no one has a clue this virus in fact is how humans are going to selfdestruct there is absolutely nothing we can do about it however he added that the only solution is to increase your own personal immunitymoreover the south china morning post issued a new warning to lab technicians around the world according to french scientists in a new nonpeerreviewed paper they had to bring the temperature almost to a boiling point in order to kill the virusprofessor remi charrel and colleagues at the aixmarseille university in southern franceheated the virus that causes covid19 to 60 degrees celsius 140 fahrenheit for an hour and found that some strains were still able to replicatechina lied about sars previously which was a biological accident 3 out of the 4 times according to the world health organization so with all this evidence pointing back to china using occams razor we can determine that the virus more than likely leaked from wuhan institute of virology especially given the infectious spread infecting every country in the world in a matter of monthsironically and something you can take as predictive programming or a warning from hollywood the 2011 movie contagion is about a bat coronavirus which escapes china and ravages the world without a cure according to imdbhowever as activist post wrote while discussing the increase of a police surveillance state measures being put into place now will likely remain long after the pandemic has stopped and the virus has run its course thats the everlasting effect that covid19 will have on our society essentially we are entering covid1984 the coronavirus is now classified as a pandemic by the world health organization and it may very well be a legitimate health concern for all of us around the world and the virus itself may be an escaped lab experiment as this article details but its the governments response that should worry us all more in the long run like increased phone surveillance and talking pandemic dronesyou can watch the full investigative documentary by the epoch times and ntd entitled tracking down the origin of the wuhan coronavirus below", + "https://www.alt-market.com/", + "FAKE", + 0.04255686610759073, + 2908 + ], + [ + "Bill Gates Crosses the Digital Rubicon, Says ‘Mass Gatherings’ May Not Return Without Global Vaccine", + "a recurring theme among conspiracy theorists is that the elite are just waiting for the right moment to roll out their mark of the beast technology to remotely identify and control every single human being on the planet thus sealing their plans for a one world government and with many people willing to do just about anything to get back to some sense of normalcy those fears appear more justified with each passing dayin the book of revelation 131617 there is a passage that has attracted the imagination of believers and disbelievers throughout the ages and perhaps never more so than right now and he causeth all both small and great rich and poor free and bond to receive a mark in their right hand or in their foreheads and that no man might buy or sell save he that had the markwas john of patmos historys first conspiracy theorist or are we merely indulging ourselves today with a case of selffulfilling prophecy whatever the case may be many people would probably have serious reservations about being branded with an id code even if it had never been mentioned in holy scripture but that certainly has not stopped microsoft founder bill gates who has been warning about a global pandemic for years from pushing such controversial technologies on all of usin september 2019 just three months before the coronavirus first appeared in china id2020 a san franciscobased biometric company that counts microsoft as one of its founding members quietly announced it was undertaking a new project that involves the exploration of multiple biometric identification technologies for infants that is based on infant immunization and only uses the most successful approachesfor anyone who may be wondering what one of those most successful approaches might look like consider the following top contender for the contract researchers at the massachusetts institute of technology mit have developed what is essentially a hitech tattoo that stores data in invisible dye under the skin the mark would be delivered together with a vaccine most likely administered by gavi the global vaccine agency that also falls under the umbrella of the bill melinda gates foundationthe researchers showed that their new dye which consists of nanocrystals called quantum dots emits nearinfrared light that can be detected by a specially equipped smartphone mit news reportedand if the reader scrolls to the very bottom of the article he will find that this study was funded first and foremost by the bill and melinda gates foundation\ntoday with the global service economy shut down to prevent large groups of infectious humans from assembling it is easier to imagine a day when people are required to have their infrared id tattoo scanned in order to be granted access to any number of public venues and from there it requires little stretch of the imagination to see this same tracking nanotechnology being applied broadly across the global economy where it could be used to eliminate the use of dirty money after all if reusable bags are being outlawed over the coronavirus panicdemic why should reusable cash get special treatmentwriting earlier this month in these pages geopolitical analyst pepe escobar provided a compelling argument that the coronavirus which is driving the world towards a new great depression is being used as cover for the advent of a new digital financial system complete with a forced vaccine cum nanochip creating a full individual digital identityas one possible future scenario escobar imagined clusters of smart cities linked by ai with people monitored full time and duly microchipped doing what they need with a unified digital currencythose fears took on greater significance when bill gates sat down over the weekend for a breathtaking interview with cbs this morning gates told host anthony mason that mass gatherings might have to be prohibited in the age of coronavirus unless and until a wide scale vaccination program is enacted\nwhat does opening up look like gates asked rhetorically before essentially changing the entire social and cultural makeup of the united states in one fell swoop which activities like schools have such benefit and can be done in a way that the risk of transmission is very low and which activities like mass gatherings maybe in a certain sense more optional and so until youre widely vaccinated those activities may not come back at all the interview can be watched in its entirety hereaccording to gates anything that could be defined as a mass gathering from spectators packed into a stadium for a sporting event to protesters out on the street in demonstration would be considered an act of civil disobedience without a vaccine little surprise that gates chose the concept of mass gathering to snag all of us for what is modern democratic society if not one big mass event after another indeed since nobody will want to miss the next big happening like the super bowl or comiccon or heaven forbid eurovision millions of people would predictably line up for miles to get their microsoftsupported inoculation even if it contains tracking technologiesall of this seems like sheer madness when it is remembered that there are other options for defeating the coronavirus than a mandatory global vaccine regimejust last month dr anthony fauci the allergy and infectious diseases director told a senate subcommittee that over 80 percent of the people who get infected by the coronavirus spontaneously recover without any medical intervention this makes one wonder why the global lockdown was designed for everyone instead of just the sick and elderly meanwhile the drug hydroxychloroquine which has been downplayed in the media despite being named as the most effective coronavirus treatment among physicians in a major survey is starting to get a fresh lookjust this week following nevadas lead michigan just reversed course and is now the second democratic state to request the antimalarial drug from the trump administrationso now it looks as though we are off to the races to see what will become the approved method of fighting the global pandemic a hastily developed vaccine that may actually worsen the effects of the disease in those who contract it or the already proven inexpensive drug hydroxychloroquine\nif the winner turns out to be a global vaccine possibly one that carries id nanotechnology dont expect the wealthy to be lining up with their kids to be the first to get it in 2015 the american journal of public heath surveyed some 6200 schools in california the epicenter of biometric id research and found vaccine exemptions were twice as common among kindergartners enrolled in private institutions\nit seems that the elite are betting heavily on the development of an idtracking vaccine that would bring all races and institutions together under one big happy roof but clearly they will continue living in their own fencedoff neighborhood in this one world government whether or not they will get a special pass from receiving the newage mark is another question", + "https://www.strategic-culture.org/", + "FAKE", + 0.12990219656886326, + 1157 + ], + [ + "New updates from Dr. Vladimir Zelenko: Cocktail of Hydroxychloroquine, Zinc Sulfate and Azithromycin are showing phenomenon results with 900 coronavirus patients treated – Must Watch Video", + "over the past three weeks weve been sharing with you the great work dr zelenko a boardcertified family practitioner in new york has been doing in the treatment of covid19 patients in new york in our last piece dr vladimir zelenko treated 700 coronavirus patients treated with 999 success rate using hydroxychloroquine 1 outpatient died after not following protocol in the meantime more doctors are seeing success with hydroxychloroquine and zinc sulphate in treating coronavirus patients according to one report from abc news 12 french doctors have also filed a petition calling on french prime minister and minister of health to urgently make hydroxychloroquine available in all french hospital pharmacies today we have new and encouraging updates from dr zelenko in a onehour video dr zelenko provides a detailed medical explanation about why his cocktail of hydroxychloroquine sulfate zinc and azithromycin not zpak works and why the threedrug combination are really needed in killing coronavirusunlike the conventional method of admitting patients to the hospitals dr zelenkos approach is to provide treatment to patients before their situation get worse so they dont have to be admitted into the hospital his approach has been so effective to the point that he has treated 900 coronavirus patients with 9999 rate his approach is to provide treatment to people so that they dont have to be put on ventilators his outpatient treatment regimen which costs only 12 is as followshydroxychloroquine 200mg twice a day for 5 days azithromycin 500mg once a day for 5 days zinc sulfate 220mg once a day for 5 days in an open letter to medical professionals across the globe dr zelenko said this the rationale for my treatment plan is as follows i combined the data available from china and south korea with the recent study published from france sites available on request we know that hydroxychloroquine helps zinc enter the cell we know that zinc slows viral replication within the cell regarding the use of azithromycin i postulate it prevents secondary bacterial infections these three drugs are well known and usually well tolerated hence the risk to the patient is lowin this new must watch video dr zelenko went on to explain that hydroxychloroquine helps zinc penetrate the cell zinc decelerates viral replication in the cell he stated that azithromycin combats secondary infections dr zelenko is surprised that many other doctors operate with a peace time mentality instead he calls for bravery and mindset adjustment", + "https://techstartups.com/", + "FAKE", + 0.11144234553325463, + 407 + ], + [ + "The EU is selfish and betrays its own values", + "the eu is selfish and betrays its own values eus imminent collapse were combined with the portrayal of ukraine as a failed state that was abandoned by its european allies", + null, + "FAKE", + -0.1, + 30 + ], + [ + "STUNNING! NY Doctor Vladimir Zelenko Finds 100% Success Rate in 350 Patients Using Hydroxychloroquine with Zinc", + "over the weekend dr vladimir zelenko from new york state announced he has found a treatment against the coronavirus with a 100 success rate on 350 patientsdr zelenko joined sean hannity earlier today on his radio program to discuss the results from his testthe new york doctor also posted a video explaining his success with hydroxychloroquine and zinc his treatment resulted in the shortness of breath issue being resolved in 4 to 6 hours dr zelenko in his study had zero deaths zero hospitalizations and zero intubationslater on monday evening sean hannity invited two more medical experts on to discuss dr zelenkos coronavirus resultsthe two doctors were cautiously optimisticwe updated this post to note dr zelenko used zinc supplement and not zpaks in his treatment", + "https://www.thegatewaypundit.com/", + "FAKE", + 0.1961038961038961, + 125 + ], + [ + "THE VISUAL LINK BETWEEN 5G DEPLOYMENT AND CASES OF CORONAVIRUS ACROSS THE WORD", + "never before have we had such a high level lock down a draconian medieval quarantine across the whole planet millions out of work hunger and malnutrition likely to take as many lives as any virus could but what was this all about if not to reset the patterns of life quash gatherings of people stop all demonstrations in fact leave the road and public spaces free to adapt and develop introduce new digital currencies and bankrupt countries whilst introducing new id systems and more vaccines lets just focus on the whether there is a link between 5g deployment across the world and the spread and concentrations of cases numbers of the coronavirus\nthere is an undeniably eery comparison between these two current global phenomenasthese two things are always reported as being separate but the results are interesting whether you are a believer in the mainstream message of the virus or whether you are a sceptic of it and think there is more to than this is broadcast on state televisionplease see this section for more info on the coronavirus and how to protect yourself and your family from any virus so lets look at a map of global 5g deployment speedtestnet is a website that will show you how fast the internet is in your areait also has a handy 5g map that shows the relentless pace of the deployment of 5g across the worldthe map shows the location of 5g networks across the entire planet right now 23rd april there are 7281 commercially available areas of 5g networks worldwide with 193 ready for prerelease and still being tested check your area on the website httpswwwspeedtestnetookla5gmap you can zoom in close enough for example to show there are 5x5g networks in city hall park near the civic centre in new york usajust how big these areas are and how many towers are within these areas is unclear from the map it could be many different 5g towers connected together as a network involves many interconnected transmission points please see more below on the dangers of 5g and please also see this article for more information on 5g 5g compared to the coronavirus map now lets take a look at the map that shows the cases of coronavirus across the world for example httpscoronavirusmapcom what you will find is that the 2 patterns are amazingly close north america starting with the usa where possibly the highest numbers of the coronavirus cases 869172 have been reported now look at the 2 maps of north america together of both 5g deployment and reported cases of the coronavirusthe hotspots and circles are almost identical across the two mapswith 5g concentration happening on both the east and the west coast you can see that the epicentres of activity for both 5g deployment and cases of coronavirus are very similar with huge concentrations on the east side of the usa new york now has a staggering 1500 5g networks in operation and 30000 cases in one small area of new york alone on the west coast california has 548 5g networks and these areas are also having the highest level of reported coronavirus cases these have also been the areas with highest level of state control and the tighter marshalling of people so in amongst such harsh measures as shutting businesses and public gatherings so is coincidentally a great time to build out 5g networks that will be more powerful than any we have seen beforewill we notice any of this change or will we be too nervous of each other to look up around us as we emerge back into city life mexico moving south compare the cases of coronavirus in the usa to mexico and they have a tiny proportion of cases in comparison mexico has a vast population at nearly one hundred and twenty four million people whilst there has been far more freedom of movement in mexico and far less state controlbut guess what it has zero 5g networks there are suspected towers being erected in baja california but cases of the coronavirus in mexico are only 11633 thats a tiny proportion of what is happening in new york for examplewhereas ecuador has 5g in guayaquil and 10309 reported cases of the coronavirus europe much like the usa europe has a high density of reported cases of the coronavirus but when you compare it to the fact it is also a major hotspot of 1200 5g networks across the continent you can start to see the same pattern emergeaccording to the twitter feed of speedtestnet ookla5gmap italy was one of the first countries to get 5g and of course this corresponds with the same timeline of coronavirus cases there are a staggering two hundred and twenty six 5g networks now in the uk yet they also have over 130000 reported cases of the coronavirusi wonder what these 2 maps will look like in one months time or after the coronavirus lock down has come to an end will it be hotter and more concentrated for both africa is barely touched by covid why is this africa has a vast population of nearly one and half billion people 1334037959 at time of writing and according to worldometersinfo but have hardly any reported cases of covid19whilst of course most african countries are unable to invest in huge infrastructures such as 5g right now it is south africa that is leading the race as the highest country in the continent for both the coronavirus with nearly 4000 casesand having five 5g networks already installed asia where did all of this begin but of course in china as has been reported by most media channels have a look at this map and compare the hotspots across both maps for asiaits very close to being an an identical pattern again but of course we must allow for population movement and the validity of the number of cases\nwe also know that many of the earliest 5g areas where in northern china in wuhan where all of this was supposed to have started there are 3 networks using 5g in operation alreadyyou can follow the latest twitter updates on 5g deployment here and get updates as they install more and more 5g everywherefacial recognition and social distancing these new 5g towers will control cars and fridges mobile phones and many many things but will they will also be able to control human traffic via installed microchips in our hands that will tell someone how much is in your bank account the key to open your front door its all too orwellian to comprehend as our movements will be tracked non stop social distancing makes sense if you need to keep everybody spaced apart by increasing amounts because viruses can jump that far to give better data readings and allow for better facial recognition tracked and attacked from the skies according to the sun newspapers website elon musk has successfully launched a rocket containing 60 satellites into spacebut according to worldhealthnet in 2018this development is troubling for those concerned about constant exposure to radio frequency radiation in close proximity to the prospect of beaming millimeter length microwaves back down to earth from thousands of new communication satellites as spacex was given approval by the fcc on 3292018 to launch 4425 satellites into low orbit around earththe total number expected to be put into low and high orbit will be 20000 with the biggest being spacex at 12000 oneweb at 4560 boeing 2956 spire global at 972 its mind boggling to consider how this will affect future cancer ratesdangers of 5g this from radiation health risks first of all 5g cellular technology is dangerous because it emits radio frequency rf radiation and it does so at ultra high frequencies and with ultra high intensity compared to earlier technologiesthe world health organization classified rf radiation as a possible carcinogenic in 2011 and there are literally hundreds of peer reviewed scientific studies linking nonionizing rf radiation to things like cancer crib death dna damage especially in infants and fetuses and male infertility also because of the limits of the frequencies used in order for users to have good reception it is estimated they will need to put a mini cell station every 2 to 8 houses this will multiply significantly the amount of rf radiation we will be exposed toin order to carry this enormous and unbelievable increase in data they have to use dramatically higher frequency radiationthe 1g through 4g technologies used less than 6 ghz frequencies 5g plans on at least using 24 ghz to 90 ghz and possibly up to 300 ghz frequency rf radiation\nin these frequencies the wave lengths are millimeters long and highly dense what this means to you and me is if it starts raining or if you walk behind a tree you would lose your cell signal to over come this technology companies are planning to increase the number of cell towers dramatically as well as implement a more sophisticated directional beaming technology 5g needs this in order to pass your signal from cell tower to cell tower and even bounce it off of obstacles to reach you it is estimated that they will need mini cell towers every 2 to 8 houses in order to maintain good signal connections on the other hand according to cbs news the side effects of radiation sickness are severe and similar in description to the coronavirussevere fatigue radiation sickness can cause people to feel weak and out of sorts almost like having a bad version of the flu mouth ulcers infections along with red cells radiation sickness can reduce the risk of infectionfighting white cells in the body as a result the risk of bacterial viral and fungal infections is heightenedit can dramatically reduce the number of red blood cells causing anemia and and increased risk of faintingunchecked it can also lead tonausea and vomiting are typically the earliest symptoms of radiation sickness the higher the dose of radiation the sooner these symptoms appear and the worse the prognosis someone who starts to vomit within one hour of exposure is likely to diesometimes people with radiation sickness feel bad at first and then start to feel better but often new more serious symptoms appear within hours days or even a few weeks of this latent stagespontaneous bleeding from the nose mouth gums and rectum it can cause people to bruise easily and to bleed internally as well and even to vomit blood\nmajor irritation of the intestinal lining resulting in severe and sometimes bloody diarrhea sloughing of skin areas of skin exposed to radiation may turn blister and turn red almost like a severe sunburn in some cases open sores form the skin may even slough off hair loss radiation damages hair follicles as a result people who get a big dose of radiation often lose their hair within two to three weeks sometimes the loss of hair is permanent will we discover new changes to our old environments as we emerge from the shadows of our homessafe zones the job will be to look for safe zones on the map if you want to avoid areas of high radiation and maps like this may become one of the resources in the battle to be informedwe continue to constantly search for any further information on this subject so please contact our facebook group the naked doctor if you have any further information on this subjectconclusion the purpose of this article is by no means meant to scare anyone these facts are alarming but we feel that knowledge is power and that you have a right to know what is happening on your doorstep and in our worldwe love this world and see the need for its preservationplease stay aware and stay happy", + "HealingOracle.ch", + "FAKE", + 0.12337588126159557, + 1975 + ], + [ + "The Covid Shockdown Doctrine — and How to Beat It", + "those who have read naomi kleins seminal book the shock doctrine will remember how the short sharp shock primarily economic was the tool fashioned by the chicago school of economics in order to create regime change in countries that resisted us hegemonic power grabs in the 1980s and 1990sthis neocolonial heist was administered to a number of south american countries in the middle east and also in eastern europe where in 1989 polands solidarity movement was undermined by the chicago schools jeffrey sachs posing as a libertarian anticommunist bringer of gifts from the westa poisoned chalice as it turned out as sachs infiltrated the hugely popular workerled new political movement known as the third way and landed poland with a draconian imf loan whose repayment terms wrecked the countrys industrial basea very similar scenario was repeated in greece whose people are still struggling at the hands of the same treatment meatedout by the european commission the imf and the european central bank collectively known as the troika\nnow the shock doctrine is back with us again with a vengeance but this time its not just a national shock prescription but a global one executed on the concocted premise of a dangerous virus which is purported to have escaped from a laboratory in wuhan china at the turn of the year\nthe first move of this latest attempted grand heist has been to get around half the population lockeddown in their own homes and induced into a state of fear paralysis a formula that is activated by the instructed mainstream media spreading a panicwarning of said virus spooking its way into all avenues of life and causing some form of untreatable sicknessthe effectiveness of this fearbased indoctrination programme has been remarkable a recent national opinion poll conducted in the uk suggests that more than 60 of the british public believing what they are hearing and consequently suffering the covid fear symptoms do not want the lockdown measures to be lifted or even eased this might be explained by the fact that the bbc a masterful spreader of political disinformation is regarded by many in the uk as god followed closely by the queen on whose estate the pirbright institute is housed a coronavirus patent is officially registered and a covid19 vaccine is being developedthe tactics currently being deployed rely upon deliberate deception preplanned social engineering and applied behavioural psychology being trained on great swathes of the world population via a completely compliant media which works hand in hand with a corporatebankerpolitical cabal whose sights are set on nothing less than totalitarian control of all avenues of human society as well as of the human brainas long as actions taken in relation to the grand covid scam can continue to be sold as a genuine attempt to protect citizens rather than screw them the lockdown can be largely kept in place enabling the implementation of a rapid desecration of the fundamental constitutional rights of citizens living in what are claimed to be democratic countriesbut as soon as a critical mass see through the veil and cease to buy the lie the tables will be turned an event likely to lead to a showdown between a steadily emerging recognition of truth and a rapidly fracturing fortress lie our job at this moment of time is to catalyse this processnotwithstanding the fact that any and all preventable premature deaths carry with them a real sense of loss the outrageous absurdity of pretending that the release of a virus recognised to be a strain of common flu should constitute a valid reason for wrecking billions of peoples lives and income sources from one end of the world to the other has got to be revealed for what it is an act of preplanned genocideenough time has passed and enough evidence accrued to know that the death toll ascribed to covid19 as farcically imprecise as the statistics are is less than the average loss of life brought about by the standard annual winter flu cycle in northern hemisphere countries and just a fraction of the deaths resulting from cancer heart disease and the other major sicknesses to which modern man typically succumbsso instead of pouring over oceans of epidemiological evidence as though training to acquire a phd in virology we need to turn to face the enemy and take direct action to halt the advance of the lie machine studying the small details of exactly what forms the constituent parts of this particular strain of sickness is a deviation we cannot afford to indulge in let specialist doctors get on with this but let the rest of us jump to our feet and slam closed the oak door that protects our most fundamental freedoms from being eviscerated right in front of our eyesdoctors recognising that they are being deeply misled about the nature of this so called pandemic must refuse to go along with the lies they should form their own informal committees in which to share their knowledge and help those in need using best practices and common sense thousands are in danger of breaking the hippocratic oath by following directives that defy logic and rational thought\nwithin the legal profession let all those who retain some human judgement demand that an immediate emergency injunction be tabled in the high court of law in their country leading to a court order being issued against all attempts to change national constitutions and other legal acts on the hoof without any proper debate or opportunity for those under attack to put their case and defend their lawful rightslet all those who work in communications and media recognise that they carry a moral and ethical responsibility to do more than simply pass on a purely superficial repetition of what it is they are on hand to report all too often journalists today act like robots without ever exploring and reporting on the deeper issues that lie behind significant news events editors are equally culpable if not more so both tend to landup as hired hands to billionaires and boughtout governmentsmay such individuals now wakeup to the realisation that they have a duty to inform the general public of whether those whose statements they report are acting in the interests or in abuse of the health and welfare of the greater public they are supposed to servejournalists of all descriptions have a vital role to perform at this time if acting responsibly means getting kickedout of ones job so be it one will at least regain a blessedly clear conscience and win the opportunity to club together with other members of the resistance to form real and much needed new avenues of independent communication thereby conveying words of enlightenment rather than being complicit in the further dumbingdown of fellow human beings\nteachers stop forcing lockeddown children to sit behind computer screens for hours at a time the harm this is doing far outweighs the value of the teaching and lands parents with the task of acting as psychologists for their own distracted children this torture must cease as indeed must all thoughtless compliance with state educational programmesto all those who are in any degree enlightened regardless of what profession job or other diverse interest one may feel aligned with now is the time to rally to the cause the cause of saving families friends and communities from being enslaved by what has increasingly shown itself to be a despotic sinister and ruthless cabal fully intent on destroying the rule of law and replacing it with a fascistic police state its no good hiding ones head in the sand and praying it will never come to this it already has and we have to act accordingly", + "https://www.activistpost.com/", + "FAKE", + 0.07247402597402594, + 1286 + ], + [ + "SOLVING THE WUHAN-5G COVID-19 MYSTERY", + "you are about to swallow a giant red pill my friend but first i want to express my sincere condolences to anyone who has been negatively affected by the situation whether through illness financial hardships loss of life or loss of your former lifestyle i also released a full episode all about my thoughts and a spiritual perspective on this hardship last week so go back and check out episode 270 it ends on a positive note i promisethis week however were digging into the possible connection between the coronavirus and 5g this is a question that was first brought to my attention by dr thomas cowan in a couple of youtube videos which may or may not still be viewable thanks to the rampant big tech censorship going on right now then if you try using that ubiquitous search engine to learn more youll see results from the msm going out of their way to discredit dr cowan and mischaracterizing what he saidbut why are they working so hard to silence this point of view who gains from trying to squash anyone whos just asking questions and whats wrong with asking these questions in the first place if this hypothesis is just flat out wrong and doesnt include any medical advice at all why does it need to be removed from every corner of youtube and censoredso as these questions were swirling around my head i just had to go straight to the source and dr cowan on a callive actually been a fan of dr cowan and the powders he makes at dr cowans garden for a long time now and ive been looking for a good reason to bring him onto the show and i dont think were going to get a better reason than this any time soon", + "https://www.lukestorey.com/", + "FAKE", + 0.08780414987311538, + 302 + ], + [ + "Gates and Company’s COVID-19 Vaccine Boosterism Ignores Significant SARS Coronavirus Vaccine Risks Known for Over a Decade", + "just as covid19 reportedly caused by the new coronavirus sarscov2 has dominated the news cycle in 2020 so too the focus on an eventual coronavirus vaccine has crowded out needed attention to a wider range of prevention and treatment strategies selfappointed pandemic guru bill gatesthrough a complex tangle of direct and indirect funding mechanisms that includes being the world health organizations whos second largest donoris gleefully leading the contingent promoting planetwide coronavirus vaccination unashamedly asserting that a vaccine is the only thing that will allow us to return to normal gates has the effrontery to make such claims despite financial conflicts of interest blatant enough to be noticed even by the credulous and a lengthy trail of vaccinerelated destruction left in the wake of gatesfunded vaccine programs around the worldglobally roughly 70 covid19 vaccines are in various stages of developmenta veritable gold rush that will be all the more lucrative since gates has made sure that the vaccines will be indemnified against lawsuits gates funding through the bill melinda gates foundation and the coalition for epidemic preparedness innovations cepi is helping to spur the accelerated development of some of the leading contenders including two of the three experimental vaccines rushed into phase i trials in humans without any preliminary testing in animal models a third experimental vaccine will soon proceed to phase ii trials in china the national institute of allergy and infectious diseases niaid is running the trial of one of these vaccines mrna1273 codeveloped under cepi sponsorship with cambridgebased biotech firm moderna meanwhile pennsylvaniabased inovio pharmaceuticals is conducting a phase i trial of ino4800 a vaccine being developed with massive infusions of funding from both the gates foundation and cepikim warned that even when vaccine makers appropriately begin the process with animal studies vaccine development is characterized by a high failure rate of often 93in early april dr jerome h kim director general of the unitednationsaffiliated international vaccine institute called attention to the unprecedented speed with which the phase i trials launched stating that it will be difficult to know whether a vaccine developed in a scant four 12 or even 18 months is really safe and noting that the vaccine development process ordinarily takes anywhere from five to ten years although striving for enthusiasm about the remarkable speedup kim warned that even when vaccine makers appropriately begin the process with animal studies vaccine development is characterized by a high failure rate of often 93dr kims words of warning are far from theoretical in the midtolate 2000s scientists engaged in an ultimately futile effort to develop a vaccine to address the first sarsrelated coronavirus sarscov researchers of the day developed four sarscov vaccines that underwent testing in animal models and two described in 2007 and 2008 that proceeded to phase i trials in humans the lessthanreassuring results of the animal studies in particular prompted one set of researchers to conclude that caution in proceeding to application of a sarscov vaccine in humans is indicated emphasis added\nall of the vaccinated mice irrespective of the type of vaccine or the presence or absence of aluminum adjuvant displayed unique lung damage not seen in the control micetroubling results in animalsin 2012 texas researchers with combined expertise in molecular virology microbiology immunology biodefense and emerging diseases reported in the journal plos one on their evaluationin miceof four candidate vaccines designed to prevent sarscov all four vaccines had run into trouble in earlier experimental studies which showed that the vaccines had a tendency to induce pathologic lung reactions in the unfortunate recipientswhether mice ferrets or nonhuman primatesthe texas scientists reevaluated the safety immunogenicity and efficacy of two wholevirus vaccines prepared in vero tissue or vero cell cultures from african green monkey kidney one recombinant genetically engineered dna spike protein vaccine produced in insect cells and their own viruslike particle vlp vaccine containing sarscov proteins as well as mouse hepatitis coronavirus they also compared versions of the vaccines containing an aluminum adjuvant with adjuvantfree formulations the research team injected the experimental groups of mice with vaccine on days zero and 28 exposed them to live sarscov on day 56 and sacrificed them two days later day 58 to examine the lungs for virus and histopathology comparing the experimental mice to control groupsall four vaccines appeared to induce antibodies against sarscov two days after exposure to live virus however the second set of resultsthe findings that persuaded the researchers to urge the utmost caution in proceeding to human testingshowed that all of the vaccinated mice irrespective of the type of vaccine or the presence or absence of aluminum adjuvant displayed unique lung damage not seen in the control mice and the pathology occurred in the absence of any detectable sars coronavirus in the lungs the researchers described this th2type immunopathologyindicated in part by abnormal levels of white blood cells called eosinophilsas suggestive of vaccineinduced hypersensitivity to sarscov componentsthe rsv vaccine stimulated an unbalanced immune response that potentiated disease in the vaccine recipients upon subsequent exposure to rsv often leading to hospitalization and sometimes leading to deathtroubling results in humansto explain their findings the texas researchers pointed to studies showing similar immunopathologic reactions in human infants who in the 1960s received vaccines for respiratory syncytial virus rsv that body of research found that the rsv vaccine stimulated an unbalanced immune response that potentiated disease in the vaccine recipients upon subsequent exposure to rsv often leading to hospitalization and sometimes leading to death given that the very basis for developing a sars vaccine was to protect vaccine recipients from infectious sarscov the texas researchers concluded that a vaccine that instead elicited an immunopathologic reaction as had occurred in the 1960s with the rsv vaccine was cause for concernmore recently in 2016 scientists expressed similar worries when children in the philippines developed serious complications or died after receiving a vaccine to protect against dengue disease far from protecting the children the vaccine dramatically worsened risks of severe complications in children exposed to dengue after vaccination the deaths of roughly 600 children are now under criminal investigationtwo other worries highlighted by the texas researchers in 2012 are worth mentioning in light of todays covid19 context first given that there are a number of human coronaviruses the researchers suggested that their results raised important questions about the safety of vaccinated persons exposed to other coronaviruses second they noted that although the two phase i clinical trials of sarscov vaccines in humans had reported the vaccines to induce antibody responses and to be safe the evidence for safety was for a short period of observation today knowing that even the whos top experts are questioning how vaccine safety gets evaluated one wonders how the rushed covid19 vaccine trials will be able to address sarscov safety concerns to any meaningful degreegates declared himself thrilled with nih for pushing vaccine research forwardcheech and chongand gatesbill gates and his foundation have longstanding ties with the goodcopbadcop duo that has been headlining the official covid19 narrative dr anthony fauci longtime niaid director and physician and retired army colonel dr deborah birx us global aids coordinator and special representative for global health diplomacy it is noteworthy that the two government doctors are longtime allies having cut their professional teeth working side by side on the aids epidemic in the 1980s and sharing overlapping career paths ever since with hiv vaccine patents to both their names neither birx nor fauci is a stranger to the lure and potential profits involved in vaccine developmentregardless of whether the vaccine ever pans outin the early 2000s birx was one of the lead investigators of an hiv vaccine clinical trial in thailand although the trials methodology and results drew severe criticism birx and othersincluding faucispun the study as a success as her reward birx then spent the next ten years directing the cdcs division of global hivaids in 2016 fauci and niaid dished out more taxpayer money to test the same hiv vaccine all over again in south africa but niaid had to call a halt to the study in february 2020 when an interim review found that the vaccine was worthlessaround the same time as the thai vaccine trial fauci was active as one of the principal architects of the 2003 presidents emergency plan for aids relief pepfar a stillongoing program that has since ballooned into over 50 countries where it coordinates across seven different us departments and agencies promotion of hiv drugs and other measures since 2014 pepfar has been led by none other than birx who has been only too happy to accept generous gates foundation support the foundation is the top source of philanthropic funding for all international hiv efforts and development of an hiv vaccine remains one of its core areas of focus in the face of recent trump administration threats to slash pepfars budget birx has declared her willingness to seek out other sources of funding wherever she can find themthe national institutes of health nih of which niaid is a part have been joined at the hip with the gates foundation for many years together funding 57 of globalhealth research and development on diseases that disproportionately affect populations in low and middleincome countries the close partnership has involved working to develop new vaccines such as a malaria vaccine and a universal influenza vaccine as well as mobilizing gates funding streams to roll out nihdeveloped vaccines across the developing world in 2013 gates declared himself thrilled with nih for pushing vaccine research forward and stated we are just at the beginning of what we can do togetherthe studies on unsafe vaccines for sarscov rsv and dengue suggest that americans would be wise to ask the ageold question of who benefits and push back against the billionaires and scientists looking to limit choices control populations and make a financial killingsinging the same discordant tunedespite writing on march 26 in the new england journal of medicine that the covid19 case fatality rate is likely to be no worse than the rate observed for a severe seasonal flu dr fauci continues to pledge allegiance to extreme measures parroting mr gates statements that more prolonged lockdowns are necessary and advising americans to become a nation of obsessivecompulsive handwashers who never share a handshake again on these topics birx has been evasive and noncommittalrecently dr zeke emanuelcoronavirus advisor to both joe biden and the who and one of the former ringleaders behind obamacarejoined the fray urging the banning of conferences concerts sporting events religious services and restaurant meals for another 18 months or until we have a vaccine that protects everyone the guardian obligingly echoed this vaccinecentric propaganda on april 8 when reporting on a chinese study just published in the lancet the british rag stated that lockdowns cant end until covid19 vaccine foundlistening to these individuals carefully crafted public briefings on covid19 exit strategies one could easily get the impression that a sarscov2 vaccine is indeed the only way out for a population amped up on hysteria and fear it may be challenging to accept other solutionsincluding the historically documented benefits of natural herd immunitybut the studies on unsafe vaccines for sarscov rsv and dengue suggest that americans would be wise to ask the ageold question of who benefits and push back against the billionaires and scientists looking to limit choices control populations and make a financial killing", + "https://childrenshealthdefense.org/", + "FAKE", + 0.08420443650309418, + 1890 + ], + [ + null, + "the cdc recommends men shave their beards to protect against coronavirus", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + null, + "doesnt billgates finance research at the wuhan lab where the corona virus was being created isnt georgesoros a good friend of gates", + "JoanneWrightForCongress", + "FAKE", + 0.7, + 22 + ], + [ + "Robert F. Kennedy Jr says Dr. Fauci and Bill Gates stand to profit from COVID-19 vaccine", + "robert f kennedys son claims that dr tony fauci and the gates foundation stand to make a hefty profit from the manufacture of the covid19 vaccinerobert f kennedy jr son of robert and nephew of john f kennedy said that the national institute for allergic and infectious diseases niaid dr faucis agency will collect 50 of all royalties from a potential coronavirus vaccine kennedy jr said that dr fauci owns a number of vaccine patents including one that is being trialed to fight coronavirus by some of americas biggest vaccine manufacturers the gates foundation invests in dr faucis niaid as part of its decade of vaccines program which aims to introduce a global vaccine action plan kennedy jr said that dr fauci owns a patent for a specific type of vaccine that packages a virus in a protein sheet the virus is then delivered to the human body through the vaccine and kennedy jr said that it very quickly reaches the organs necessary to give a person immunity to a certain illness he also said that the patent is currently being used by at least one of the major american vaccine manufacturers to make vaccines for coronavirus the four major vaccine manufacturers in the us are pfizer merck glaxosmithkline and sanofi and if one of those four companies successfully develops a coronavirus vaccine fauci and the niaid stand to collect half of the royalties according to kennedy jrhe said that companies who used that patent have to split the profits 5050 with the niaid and he claimed that the gates foundation had invested in that particular patent he said that there was no limit on how much the niaid can collect from the coronavirus vaccine and said that there need to be more government regulations to prevent it from doing so ", + "https://www.irishcentral.com/", + "FAKE", + 0.11236772486772487, + 301 + ], + [ + "Liberal Harvard Professor May Have Been Behind Coronavirus", + "a left wing harvard professor was charged this month with spying for the chinese government charles lieber taught at harvard university in boston he was arrested and after being arraigned in boston federal court released on 1 million bail his arrest is a result of his dealings with the chinese government\nhe has not explicitly been charged with espionage yet but he has been charged with lying to federal department of defense investigators on his dealings with the chinese governmentlieber was the chairman of harvards chemistry department so his arrest has sent shockwaves through the academic community lieber received secret payments of 50000 a month plus bonuses to help china setup a chemical research lab in wuhan china wuhan is where the new coronavirus plague began the harvardwut nano key lab was established by lieber in wuhan in april 2018 he was approached by fbi investigators who asked him about the wuhan research lab he said he was unfamiliar with it and had never been asked for anything by the chinese government this was a lie though and he now faces federal charges wuhan is ironically where the coronvirus broke out at its now infected over 75000 people worldwide israeli intelligence officials came out publicly to accuse china of biologically creating the virusvirus outbreak grows the coronavirus continues to spread and it seems now that containing it is not an option theres a number of reasons for this the virus has a long incubation period its being found out now that many people can go infected without even realizing it for a number of days or weeks the virus also seems to stay with people or come back even after someone has been infected because of this people an walk around infecting others without even realizing it for weeks the other problem is that it is apparently highly contagious it doesnt take much contact to get someone infected people are becoming sick in places where they dont even have a record of coming in contact with an infectedits been speculated that the coronavirus was created at a lab in wuhan ironically chinas only biological research lab for handling weaponized viruses is in wuhan china recently a professor from the united states who specializes is viral research was charged by the federal government with lying about his work at the laboratory all signs point to a fact that says the virus was man madeits also been exposed in media that the lab there in wuhan has gotten in trouble before for selling animals that had been experimented on to local markets an illegal way to make extra cash regardless if this is the cause of the outbreak or not this shows the security lapses at the facility the virus will not cause mass death but it will cause mass economic hardship putting large numbers of people out of work will have crippling effects on the economy and this may have been the intended effect all alongbernie wants to remove the healthcare system defeating coronavirus america is in the middle of an important election this year and the stakes have turned deadly were faced with a possible pandemic not see on earth in over a century and we need strong leadership to face itbernie is looking to be the nominee for the democrats him being president would be disastrous senator sanders spent a good portion of his life as what some may call a loser could not keep a job could never pay rent always had his utilities turned off and this was during the 60s and 70s when things were much more affordable in fact he lived his life as a revolutionary drifter up until 39 then he found a way to get paid for being lazy it was as mayor of burlingtonsince then bernie has been both a burlington mayor and a vermont senator he hasnt done anything but vocally voice support for communist dictators in the 80s and 90she also visited the soviet union where he was recorded singing communist songs naked and drunk since then bernie has been both a burlington mayor and a vermont senator he hasnt done anything but vocally voice support for communist dictators in the 80s and 90she also visited the soviet union where he was recorded singing communist songs naked and drunkbernie doesnt have the skills to manage the government during a viral pandemic he cant even answer basic questions on how hes going to pay for all the free programs he wants the government to do how is he supposed to handle a crisis like this and on top of it he wants to take away americas private healthcare in the middle of an outbreak so far american healthcare is vastly outperforming the universal socialist healthcare systems bernie wants to implement in iran and italy both countries with socialist healthcare fatality rates are the highest in the world now at 11 italy is at 3 much lower than iran but still high meanwhile in the united states the mortality rate is 0 every person in the us sick with coronavirus has made a full recovery so why would bernie want to take this healthcare away sanders was never taken serious until the past two or three weeks now hes being seen as the front runner for the democrats and potential nominee time will tell if hell actually be it but if he is then america will have to decide if it wants to take such a deadly risk in electing him liberal media contributes to panic across the globe the media spreads panic about the coronavirus but its fatality rate is small if you are already healthy your chances of dying are slim to none and for the united states were leading the globe in recovery while other countries struggle to contain the virus and treat infected the us already has a whopping 100 recovery rate meanwhile countries with socialist healthcare systems are facing brutal fatality rates like those in iran and italyand for treatment while the rest of the world panics and prepares for quarantine in the united states theres already been multiple vaccines developedheres the latest statistics on the virus as it spreadstotal infected 83379 total recovered 36525recovery rate 93 active cases 43996 serious cases 8099 expected to recover 35897 total dead 2835 total fatality rate in children under 9 0 total fatality rate in those over 80 14 105 fatality rate if patient has cardiovascular disease 73 for diabetes 63 for chronic respiratory disease 6 for hypertension 56 for cancer 0 fatality rate if the patient is in the united states24 if in chinaoverall outside of china the fatality rate is 07", + "https://prntly.com/", + "FAKE", + 0.0031301406926407017, + 1113 + ], + [ + "Francis Boyle Speaks Out About Novel Coronavirus", + "francis boyle speaks out about novel coronavirus", + "https://www.healthnutnews.com/", + "FAKE", + 0, + 7 + ], + [ + "THE CORONA VIRUS LIES ARE TOO MANY TO CONTAIN", + "is the corona virus really just a global version of the childrens story the emperors new clothes this years big threat to humanity that is destroying our freedom of choice and liberty you are being lied tothey say america is the land of the free what happened thereno need for real life battles anymore when the corona virus can take care of the seismic power shift all on its own this time the bad guy could be our next door neighbouras the body of evidence mounts we want to show you just some of the people coming forward to now question this mass global pandemic pandemonium that is covid 19 named in 2019 this is a rebrand of the flu problem with the flu is that no one is scared of it anymore whilst the vaccine was proven so woeful in its attempts to stop it last year that the cdc had to admit it failed a whopping 91 of the time so it needed a new name a rebrand update what if you found out that the coronavirus is actually on the list of ingredients of the flu shot therefore anyone that has had a flu vaccine could test positive for corona virus its right here on the insert under side effects courtesy of goy brian pearce who spotted thissurely it has gone too far now and the economic fall out to this pandemic far outweighs the shaky numbers and scientific facts we are being bombarded with by the centralised news corporations that are owned by the very same people that have a huge vested interest in their new untested vaccines fear is a terrible thing its bad for your health and closes down large sections of independent cognitive functionbillions of people are now out of work thanks to a virus that has actually been around for years as we reported on wednesday this week the introduction of 5g digital microchips and enforced vaccines are now going unchallenged thanks to the coronavirus and the 24hour news stream of information about the coronavirus pandemicwe are now seeing something far more terrifying the submissive subtle introduction of a military medical state that has been spun out to such a degree that is has now become the will of the people its a very carefully laid out planis this perhaps the precursor to these truly alarming numbers is corona virus the excuse to introduce more vaccines and more radiation emitting technology that will make these figures a reality cancer is here to stay anyone remember sadam hussein and his fictitious weapons of mass destruction that became the justification for the invasion of iraq each year there is a new virus disease or movement that suddenly and swiftly rears its head sent from satan himself its here to threaten our way of life and kill us all hiv swine flu bird flu isis whatever this common trending enemies name may be we run in fear and wait for our governments help to come and fight the bad guy go get them guys many of the emergency measures that were put in place at these times and under the guise of terrorism paved the way for the emergency measures we are now seeing that justify yet more laws being passed quickly and easily circumnavigating the usually slow democratic processafter all democracy tends to muddy the waters if you want to centralise everything please see some of the following pieces of evidence now circling the globe that will make you see the corona virus in a whole new far less terrifying light than the one that is portrayed by state owned television and their shiny made up graphics look at these 2 images below spot the difference how do we know the image below is in new york this is actually a hospital in italywe are being constantly told what to thinkwe say enough is enoughtake a breath we urge you to look at this story with some rationality and imagine for a second you did not own a tv and had perhaps been in a blissful coma for the last two months youd wake up as many probably do thinking the world had gone bonkersreflect on the fact that the cdc is in fact a vaccine company owning the patent on 56 vaccines currently in existence with a further 271 in the pipeline whilst good old bill gates and his charades continue the second richest recorded man on the planet has invested a lot of money in his id chips and global vaccines and needs his return on investmentid2020 is an ambitious project by microsoft to solve the problem of over 1 billion people who live without an officially recognized identity id2020 is solving this through digital identityhe is also the most powerful man at the world health organisation this is nothing more than global power play even if you read no further please consider these factsis this a test to see how many will submit is this time that the tide turned and people took back some of their own free will the real agenda that is being hurried through the corridors of power in every major industrial country right now is the creation of further centralised control amidst the erosion of your free will and independent basic human rights the coronavirus statistics are blinding people to the reality and playing with peoples lives on a vast scale london authorities caught in the act please watch this video where the authorities are called out for posting their panic filled propaganda in london the irate lady had just fed a homeless man that was taken away then she gets a letter through her door saying the man had died of the corona virus 2 hours ago she is understandably lividthey even remove their masks once they are called out please now watch this video of virologists dr wolfgang wodarg an expert in the field of viral study reminding us that the corona virus is actually nothing new its been around for years whilst in actual fact the tests are mostly unsubstantiated and fabricated the intro to the video stating the corona hype is not based on any extraordinary public health danger however it causes considerable damage to our freedom and personal rights through frivolous and unjustified quarantine measures and restrictions the images in the media are frightening and the traffic in chinas cities seems to be regulated by the clinical thermometer evidencebased epidemiological assessment is drowning in the mainstream of fear mongers in labs media and ministries so if the tests are fake and wrong what are we all so worried about what is this huge distraction that has closed airports and meant the police patrol the streetsplease see this section for the many crimes against humanity that have been committed by the vaccine industry please also read this extract from corona the case number game by jon rappoport on his website no more fake news that highlights how crazy these numbers really are given the size of the worlds population and what happens all the time with airborn virusesstarting with europe and just plain flu not cov according to the world health organization who europe 1 during the winter months influenza may infect up to 20 of the population thats ordinary seasonal flu the population of europe is 741 million people this works out to 148 million cases of ordinary flu not once every year every yearaccording to statistacom 2 as of march 23 2020 there have only been 170424 confirmed cases of coronavirus covid19 across the whole of europe since the first confirmed cases in france on january 25 lets go to italy according to statistacom 3 italy has the highest amount of confirmed cov cases in europe with 59138 thats as of march 23 if you multiply by six to get the annual figure you arrive at 360000 cases you want to blow that up because of acceleration go ahead how about a million cases for the year two million three million now lets look at ordinary flu cases for italy in a given year according to sciencedirectcom 4 in the winter seasons from 201314 to 201617 an estimated average of 5290000 ili influenzalike illness cases occurred in italy corresponding to an incidence of 9 thats 5 million plus each year was a seasonal flu pandemic declared in italy ever was the whole country ever locked down as a result nofinally lets look at figures for ordinary flu for the whole planet a study published in the journal pharmacy and therapeutics 5 states influenza is a highly contagious respiratory illness that is responsible for significant morbidity and mortality approximately 9 of the worlds population is affected annually with up to 1 billion infections 3 to 5 million severe cases and 300000 to 500000 deaths each yeara billion cases every year is this called a pandemic is the whole world locked down every year noplease sign our petition against enforced vaccines and medical interventions now please read this extract from an article entitled liars liars stumps on fire by anna vonreitz the cdc is a vaccine company they are presenting the cdc as some big authority we all need to listen to the cdc is a privately owned vaccine company and on the take for hundreds of millions of dollars from the men who promoted weaponization of the common cold these despicable criminals set up this entire pandemic to profit themselves instead of being in position to control and manipulate our response to their handiwork this is the same cdc that has just recently lost in a landmark court case that they simply cannot deny that vaccines cause autismand instead of being allowed to profit themselves they should be arrested tried and executed without any further adieu it might not help their victims but at least we would be rid of them its collaborators on this project darpa the pirbright institute and wellcome trust and the bill and melinda gates foundation should all be similarly dismembered liquidated and their board memberstrustees denied any protection of the corporate veilthey have planned this pandemic with malice aforethought and for profit thousands of people have already died because of these mass murderers we are being played please watch this full exposé from amazing polly who describes the various corona virus lies that are happening right now in the usai look in to the back ground of debra birx which leads us to pepfar which leads us to bono and bill gates and the swampy depths of the frankenstein medical industrial complex its globalsome countries are resisting but for how long some countries are saying no to the who and the cdc but how long can they stand out against this enormous political pressure even though the the numbers dont stack up every other country is falling in line so why are they not mexico parties on the mexicans are more used to not trusting their institutions maybe this could in fact help them out only time will tell as terry tillaart states on facebook cajones screw you fake virus ps nobody was harmed by any virus at this event it doesnt take an ounce of cajones to attend a large music festival all it takes is enough common sense to know the media has never told you the truth even 1 time in your life it shouldnt require any cajones to share this with your friends either because there is absolutely nothing they can say in the face of this evidence that doesnt makes an ounce of sense it does however require serious cajones on the part of the mexican president to buck the enormous pressure applied to all countries globally from the pharma banking cartels to uphold this virus fakery and avoid evidence like this getting out proving everyone is just fine huge applause to this new president and now we know for a fact why weve never heard his name mentioned before and its because he is not playing ball with the cartelspopulation of greater mexico city 21581000 yes much larger than new york or lanot shutdown and nobody is sick meanwhile in brazil supporters of the president are calling for mass protests against the imposed shut down accroding to npr rightwing groups in brazil are summoning their supporters onto the streets to demand that their country returns to work and ends mass lockdowns imposed to reduce the spread of the coronavirus this follows a highly controversial campaign against shutdowns by brazilian president jair bolsonaro who believes mass closures will cause more economic devastation and suffering than the virus itself on thursday the number of covid19 deaths in brazil rose by 20 to 77 the countrys biggest jump so far while confirmed cases went up by 482 to 2915 according to brazils health ministry even if these results were genuine reasons for death thats an absolute fraction in comparison to the size of brazils population of over 212 millionaccording to the report groups sympathetic to the president are circulating posts mainly on whatsapp and twitter calling on people to leave their homes and join motorcades protesting the closure of nonessential businesses and schools that have brought life to a near standstill in some areas including são paulo and rio de janeiro we are not going to die of hunger says one of the posts advertising a rally friday another calls for the mobilization of business owners store keepers drivers for ridehailing companies and others this weekend similar motorcade protests were also held on thursday in several smaller cities according brazilian media reports\nbolsonaro has repeatedly dismissed the coronavirus threat as exaggerated arguing that people over 60 are the atrisk group that should be isolated but that most brazilians suffer few or no symptoms and should continue to workthe emperors new clothes once the rumour came from high enough in the pecking order so the people became convinced that the naked emperor was in fact fully clothed they heard about these clothes from their friends and celebrities on facebook instagram youtube and even the 10 oclock news so it must be true fuelled by fear their imaginations ran wild with images of resplendent clothes for fear of looking stupid in front of their friends or even worse being beaten by the emperors thugs with sticks if they even dare to think of anything other than compliance and mass obedience shhh kid of course the emperors got clothes on you dont want to catch that terrible disease do you now get inside screw that lets listen to the children a bit more they are not as brain washed as us so how do you protect yourself against any virusanyone with a healthy lifestyle a clean diet and strong immune system should be well equipped to cope with any virus but if you are concerned about your own immune system then please read md fermins informative and thought provoking article stating that the medical world has much to gain from embracing immunotherapy such as genuine gcmaf we all have gcmaf in our bodies as it is a naturally occurring protein the likelihood is that if you are well and healthy you have enough of it to fight off viruss and pathogens if on the other hand you are sick or have been diagnosed with a serious condition then your immune system is low and so your gcmaf is too the evidence research and real stories that proves the effectiveness of genuine bulgarian gcmaf immunotherapy even against the rarest of cancers is abundant one of the issues is that it is not a well publicised story according to dr theron hutton md nacetyl cysteine selenium spirulina and highdose glucosamine are all supplements of natural origin that have been scientifically shown to provide protection against rna viruses like influenza and coronavirusin a paper entitled nutraceuticals have potential for boosting the type 1 interferon response to rna viruses including influenza and coronavirus researchers from the catalytic longevity foundation and the mid america heart institute at st lukes hospital found that these and other herb extractions such as elderberry possess symptomatically beneficial properties that can help to mediate the impact of infections such as coronavirus which is definitely worth considering get in touch if you do have a pre existing medical condition and are concerned about your immune system please get in touch and we can help you prepare it better including the use of immunotherapy gcmaf", + "HealingOracle.ch", + "FAKE", + 0.050451207391041426, + 2747 + ], + [ + "CORONAVIRUS IS MAN-MADE", + "for china it has been exposed to the coronavirus virus in the chinese city of wuhan since the fall of 2019 specifically after the military olympics in that city chinese leaders consider that the epidemic was introduced to china by the american military delegation participating in these games this entry might be a coincidence after the virus was engineered in a us military laboratory without taking the necessary precautions if the chinese leadership wanted not to assume bad faith on the part of the americanswhat strengthens the chinese allegation is the recognition by robert radfield the director of the center for disease control cdc that a number of infections were discovered in the united states before they spread to china but there is another account that says that the virus was frenchmade made in 2003 and was transferred to a sinofrench joint laboratory that opened in 2017 in the city of wuhan bats were experimented with but one of the bats escaped from the laboratory and the epidemic occurred however regardless of the accounts and their accuracy it has become clear that the greatest possibility is that the virus is manmade and not natural and therefore open questions about bacterial experiments in laboratories and their feasibility and the possibility of turning them into a weapon of mass destruction", + "https://katehon.com/", + "FAKE", + -0.003333333333333326, + 218 + ], + [ + "Corona virus developed in Canada and stolen by China", + "a researcher with ties to china was recently escorted out of the national microbiology lab nml in winnipeg amid an rcmp investigation into whats being described as a possible policy breachdr xiangguo qiu her husband keding cheng and an unknown number of her students from china were removed from canadas only level4 lab on july 5 cbc news has learned a level 4 virology facility is a lab equipped to work with the most serious and deadly human and animal diseases that makes the arlington street lab one of only a handful in north america capable of handling pathogens requiring the highest level of containment such as ebolasecurity access for the couple and the chinese students was revoked according to sources who work at the lab and do not want to be identified because they fear consequences for speaking outsources say this comes several months after it specialists for the nml entered qius office afterhours and replaced her computer her regular trips to china also started being deniedcorona virus a canadian made pathogen weaponized and leaked by china and named after a mexican beer that is multiculturalism", + "https://perma.cc/", + "FAKE", + 0.019047619047619053, + 187 + ], + [ + "Man-Made Coronavirus Kills Hundreds (Bill Gates has a Vaccine for That)", + "its been 2 weeks since we first wrote about the novel coronavirus ncov2019 originating in china since then the official numbers have skyrocketed from 630 infections and 17 deaths to over 24000 infections and roughly 500 deathsnaturalnews reports that china is actually keeping two sets of numbers and that the actual numbers are much higher than the official numbers with over 154000 infected and almost 25000 dead several nations have evacuated their citizens from china while airlines have shut down flights to china and other countrieson january 31st president trump declared that the novel coronavirus presents a public health emergency in the united states that same day under the guidance of the cdc the white house coronavirus task force announced a 14day quarantine for americans who recently visited wuhan china the epicenter of the coronavirus outbreakover the last two weeks the chinese government has quarantined roughly 50 million people in over a dozen cities the largest quarantine in human history cruise liners carrying infected passengers have been denied entry into japan and passengers will be quarantined on the ships for at least two weeksmajor manufacturers like apple and adidas have shut down their stores and plants in china and airlines have placed over 30000 employees on unpaid leave in the us hundreds of americans have been evacuated from the wuhan area and will be immediately quarantined on military basesthe measures being taken by governments around the world are drastic and unprecedented the authority that these institutions are willing to assume in the face of a health emergency is concerning and its only the beginningsocial media increases censorship in the wake of the new virus facebook announced that it would remove any content about the coronavirus with false claims or conspiracy theories that have been flagged by leading global health organizations and local health authorities saying such content would violate its ban on misinformation leading to physical harmthis is a much more aggressive policy than facebook has taken before up to this point censorship efforts have mostly involved restricting search results and advertising while still allowing the content to remain published the ban will also apply to instagram which will subject users to popup ads when they click on hashtags related to the virusgoogle has followed suit pushing updates from the who to the top of search results involving the coronavirus youtube owned by google will also make it harder to find independent information about the virus promoting videos from public health organizations and mainstream media outletstwitter said wednesday that it would begin prompting users who search for the coronavirus to first visit official channels of information about the illness in the united states for example twitter directs users to the centers for disease control and prevention beneath a bold headline that reads know the factsthe campaign is running in 15 locations including the united states the united kingdom hong kong singapore and australia and will continue to expand as the need arises the company said in a blog posttwitter has even banned financial market website zero hedge from the social media platform after it published an article linking a chinese scientist to the outbreak of the fastspreading coronavirus last weekzero hedge had their account permanently suspended for violating platform manipulation policy the account had 670000 followers as of its suspension the suspension was in response to a complaint by buzzfeed which said zero hedge had released the personal information of a scientist from wuhan in an article that made allegations about coronavirus having been concocted as a bioweapon the article was titled is this the man behind the global coronavirus pandemic\ntiktok a chineseowned company already removes posts and blocks users this is standard practice in communist china where staterun media and extreme surveillance of its citizens makes it easy to control what information is releasedthe digital police state the effort in china to silence free speech and control the narrative regarding coronavirus has been aggressive according to a reuters reportat least 16 people have been arrested over coronavirus posts in malaysia india thailand indonesia and hong kong while singapore has used its controversial new fake news law pofma to force media outlets and social media users to carry government warnings on their posts and articles saying they contain falsehoods\nfortunately we now have pofma to deal with this fake news said lawrence wong one of the ministers heading a singapore government task force to halt the spread of the virusat least five people were arrested and released on bail in indias southwestern state of kerala over whatsapp messages said aadhithya r district police chief of thrissur six people were arrested in malaysia on suspicion of spreading false newsin vietnam where an army of cybercensors tracks social media comments for the communist government at least nine people have been fined and three celebrities asked to explain their actions over posts about coronavirusthailand hailed the success of an antifake news centre it set up last year dozens of staff reviewed nearly 7600 posts in four days from jan 25 leading to 22 posts being highlighted as false on its website and two arrests under computer crimes lawsthe antifake news centre is working intensively to verify these rumours and communicating truth to the people said digital minister puttipong punnakanta\nto make matters worse it turns out that chinese officials arrested 8 medical professionals who tried to warn people of the disease back in december each detainee was part of a medical schools alumni group on wechat a popular social network in china and they were concerned that sars severe acute respiratory syndrome was back sars is a type of coronavirusaccording to the daily beastit wasnt long before police detained them the authorities said these eight doctors and medical technicians were misinforming the public that there was no sars that the information was obviously wrong and that everyone in the city must remain calm on the first day of 2020 wuhan police said they had taken legal measures against the eight individuals who had spread rumorssince then the phenomenal spread of the virus has created cracks even within the normally united front of the chinese communist party it might have been fortunate if the public had believed the rumor and started to wear masks carry out sanitization measures and avoid the wild animal market a judge of chinas supreme peoples court wrote online last tuesdayli wenliang a doctor who was among the eight people who tried to sound the alarm before the coronavirus infected many thousands and killed hundreds was diagnosed as someone infected with the coronavirus and is being treated at a hospital authorities are still actively censoring socialmedia posts and news articles that question the governments response to the outbreak one wuhan man fang bin uploaded footage of corpses in a van and a hospital in wuhan and was then tracked down and taken into custody his laptop was confiscated and he had to pedal for three hours on a bicycle to get home after he was questioned warned and released his coronavirus video went viralexperts agree that this kind of aggressive censorship could make the virus even more lethal leaders within the chinese government have put their political interests before the good of their people and the results have been catastrophic thus farin recent days medical experts have found evidence that the origin of the outbreak was not a seafood market in wuhan as the chinese government initially reported that evidence also suggests that the first human infections occurred in november if not earlier rather than in early decemberthe true scope of the disease may be worse than weve been told public officials have been deleting investigative reports by journalists in the area while many patients who have died of regular pneumonia were never tested for coronavirusgiven the rapid spread of the virus and the enormous economic effects expected censorship and propaganda are certain to continue and to extend beyond chinas borders as the regime seeks to protect its hold on power and international reputation while chinese authorities assure domestic and international audiences that their efforts will contain the outbreak censors are busily deleting social media posts and journalists reporting that contradict the official narrative\nan international conspiracylies and secrecy are common in most communist nations and china is no exception it is welldocumented that the information released during the sars outbreak of 2003 was significantly redacted to minimize its true impactbut what about here in americaweve already reported that in 2015 a patent was filed by the pirbright institute for the live attenuated coronavirus the application claims that the new virus could be used to create a vaccine for treating or preventing respiratory viruses the patent was awarded in 2018the pirbright institute is funded by the uk department for environment food and rural affairs the who and the bill and melinda gates foundation all of these entities have been loud supporters of mandatory vaccinations and more government control based on health concernsand for several years bill gates has been telling us that a pandemic is coming and in november of 2019 collaborating with the world economic forum the bill melinda gates foundation hosted event 201 where they ran a simulation of a coronavirus pandemicit should come as no surprise that just yesterday bill and melinda gates announced that they would be donating 100 million to coronavirus vaccine research and treatment efforts which were announced as part of the world health organizations who request for 675 million in global contributions to fight the spread of the diseaseyou can bet your bottom dollar that this vaccine will be heavily pushed on all americans and probably mandated in some states and cities but whats the truth behind the coronavirusthe truth about coronavirus officials would have you believe that the new coronavirus began when someone ate contaminated bat soup at a wuhan seafood and animal market but that is a flatout lie and a paper published in the lancet last week has the proofthe paper written by a large group of chinese researchers from several institutions offers details about the first 41 hospitalized patients who had confirmed infections with what has been dubbed 2019 novel coronavirus 2019ncov in the earliest case the patient became ill on 1 december 2019 and had no reported link to the seafood market the authors reportno epidemiological link was found between the first patient and later cases they state their data also show that in total 13 of the 41 cases had no link to the marketplace thats a big number 13 with no link says daniel lucey an infectious disease specialist at georgetown universitylucey says if the new data are accurate the first human infections must have occurred in november 2019if not earlierbecause there is an incubation time between infection and symptoms surfacing if so the virus possibly spread silently between people in wuhanand perhaps elsewherebefore the cluster of cases from the citys nowinfamous huanan seafood wholesale market was discovered in late december the virus came into that marketplace before it came out of that marketplace lucey assertsthe much more likely scenario is that a weaponized version of the virus was released whether intentionally or not by wuhans institute of virology a level4 biohazard lab which was studying the worlds most dangerous pathogensthe institute even has an ad for researchers to help use bats to research the molecular mechanism that allows ebola and sarsassociated coronaviruses to lie dormant for a long time without causing diseasesthe job is for a lab run by dr peng zhou phd a researcher at the wuhan institute of virology and leader of the bat virus infection and immunization group since 2009 peng has been the leading chinese scientist researching the immune mechanism of bats carrying and transmitting lethal viruses in the worldhis primary field of study is researching how and why bats can be infected with some of the most nightmarish viruses in the world including ebola sars and coronavirus and not get sick as part of his studies peng also researched mutant coronavirus strains that overcame the natural immunity of some bats these are superbug coronavirus strains which are not resistant to any natural immune pathway and now appear to be out in the wildthe institute is about 13 miles away from the market that china claims as the source of the outbreaka study by 5 greek scientists published 1272020 examined the genetic relationships of ncov2019 and found that the new coronavirus provides a new lineage for almost half of its genome with no close genetic relationships to other viruses within the subgenus of sarbecovirus and has an unusual middle segment never seen before in any coronaviruswhat exactly does that mean basically this means that we are dealing with a brand new type of manmade coronavirus the studys authors rejected the original hypothesis that the virus originated from random natural mutations between different coronavirusesdany shoham a former israeli military intelligence officer who has studied chinese biological warfare has also linked the virus to chinas covert biological weapons program mr shoham holds a doctorate in medical microbiology from 1970 to 1991 he was a senior analyst with israeli military intelligence for biological and chemical warfare in the middle east and worldwidecertain laboratories in the institute have probably been engaged in terms of research and development in chinese biological weapons at least collaterally yet not as a principal facility of the chinese bw alignment mr shoham told the washington times work on biological weapons is conducted as part of dual civilianmilitary research and is definitely covert he saidin a sad turn of events the chinese doctor who tried to warn others about the wuhan coronavirus has died li wenliang a 34yearold doctor working in wuhan raised the alarm about the novel coronavirus on december 30th soon after he posted the message li was accused of rumormongering by the wuhan police he was one of several medics targeted by police for trying to blow the whistle on the deadly virus in the early weeks of the outbreak li was hospitalized on january 12th after contracted the virus from one of his patients and he was confirmed to have ncov2019 on february 1stthe question is if the chinese made this virus in a lab what was their purpose and why did they arrest the doctor who tried to inform the rest of the worldthe world needs an answerwolves in sheeps clothing as long as we continue to believe the lies promulgated by communist staterun media were going to stay in the dark government agencies around the world have been happy to sensationalize the virus as an excuse for extreme control over their citizenspeople are being detained and quarantined travel and business have been seriously disrupted the global economy is in turmoil scientists and journalists are being silenced and even arrested and social media companies founded in the freest country on earth are deleting any content that suggests that this is a manmade problempeople are scared tens of millions have had their lives put on hold hundreds have died in the last weekbut dont worry be healthy there are herbs and natural substances that can have a profound effect on viruses and your immune functionsurprise surprise bill gates the who and everyone else in the medical industry are working on a ncov2019 vaccine a vaccine that they patented half a decade before the virus appeared a virus that was created in a labbut thats just a coincidence rightheres another incredible coincidencefor several years bill gates has been telling us that a pandemic is coming and on october 18 2019 collaborating with the world economic forum the bill melinda gates foundation hosted event 201 where they ran a simulation of a coronavirus pandemica meeting of the globalist health minds occurred on november 6th to discuss its findings with 9 recommendationssurprise surprise one recommendation of course included deletingerasingcensoring disinformation in the whos eyesbut thats just another coincidence right", + "https://thetruthaboutcancer.com/", + "FAKE", + 0.05058941432259817, + 2650 + ], + [ + "EXCLUSIVE: Evidence Shows Director General of World Health Organization Severely Overstated the Fatality Rate of the Coronavirus Leading to the Greatest Global Panic in History", + "the controversial ethiopian politician and director general of the world health organization who tedros adhanom ghebreyesus claimed in a press conference in early march that the fatality rate for the coronavirus was many multiples that of the fatality rate of the common fluthis egregiously false premise has led to the greatest panic in world historythe director general of the who spoke on march 3 2020 and shared this related to the coronaviruswhile many people globally have built up immunity to seasonal flu strains covid19 is a new virus to which no one has immunity that means more people are susceptible to infection and some will suffer severe diseaseglobally about 34 of reported covid19 cases have died by comparison seasonal flu generally kills far fewer than 1 of those infectedthis statement led to the greatest panic in world history as the media all over the world shared and repeated that the coronavirus was many many times more deadly than the common fluthe problem is his statement is false it was not accurate the gateway pundit reported yesterday that the coronavirus fatality rate reported by the media was completely inaccurate and the actual rate is less than the current seasonal flu the media was lying again the false reporting of the coronavirus fatality rate of 34 in the media started with the statements made by the who in early marchheres a summary of the analysis from yesterday proving the director generals statement was very misleading and materially false the fatality rate of the coronavirus was based on current data available of known positive cases and known deathsoftentimes estimates have to be made because data is just not yet available the director general of the world health organization who tedros adhanom ghebreyesus used the fatality rate of coronavirus with known numbers and used this as his prediction of eventual mortality rate this was a faulty assumption estimates usually involve obtaining information that is available and making estimates on what is not we cannot tell the future but we can make educated guesses based on information available this is what has been done with the coronavirus because this type of virus has apparently never been seen beforesometimes estimates are reasonable and sometimes they are wrong and even way offthe point is that whenever estimates are made of large unknown values they are always wrong because no one can tell the future sometimes estimates end up close and sometimes they are not and sometimes they are way offthe current estimate for the coronavirus fatality rate according to the who is about 34\nthe estimate used most often is from the who based on the director generals comments the who estimates the mortality rate of the coronavirus to be around 34the world health organization who has estimated the mortality rate from covid19 is about 34 that is higher than seasonal flu and is cause for concern but even if it is correct more than 96 of people who become infected with the coronavirus will recoverthe same rate for this years seasonal flu is 10 if you use known cases and known deaths but the media tells you its 1as the gateway pundit reported earlier according to cdc numbers in the us in the 20192020 flu season there were 222552 confirmed cases of the flu from testing and an estimated 36 million flu cases in the united states there were 22000 estimated deaths from the flu via the cdcnote that the number of deaths and confirmed cases through testing of the flu in the us are based on actual data the number of individuals who contracted the flu is an estimate there is no way to know who had the flu in the us because many cases are not severe and people do not have a test done to confirm they had the flu they believe their symptoms are minor and go on with their normal lives thinking they had a cold or something similar because of this the cdc estimates and they estimated 36 million people had the flu in this past flu seasonthe rate of the number of individuals who died from the flu to the number of individuals who were estimated to have had the flu is 1 22552 36 million this is an estimate and the amount used above by the director general of the whohowever the rate of individuals who died from the flu to the number of individuals who were confirmed to have had the flu is around 10 22000 222552 this is based on actual data similar to the rate for the coronavirus aboveactual results for the coronavirus are lower than the flubased on the above numbers the actual fatality rate for those who were confirmed to have had the coronavirus is 34the actual mortality rates for those who were confirmed to have had the flu are around 10the actual data shows that the mortality rate for those who had the flu 10 is almost twice as high than for those with the coronavirus 38current estimates between the flu and the coronavirus are not comparing apples to applesthe fatality rate that is commonly referred to in the media for the coronavirus is 34 from the who this number is based on confirmed cases of people with the coronavirusthe flu fatality rate provided by the cdc of 1 includes an estimate of individuals who had the flu 36000000 this rate includes an estimate of all people with the flu most who were not tested for the fluthe fatality rate for the coronavirus does not include those who had the coronavirus but were not confirmed this is why the flu fatality rate is 1 and the coronavirus fatality rate is 34the two rates are like comparing apples to oranges by doing so the coronavirus fatality rate is way overstated when compared to the flu and the who and the media has created a worldwide crisis and panic by reporting these rates simultaneouslythe coronavirus is not more fatal than the flu based on current data available it is much less fatal than the flu based on current datathose most at risk from the coronavirus are the elderly and sick similar to the flu\nsimilar to the flu those most at risk of dying from the coronavirus are the elderly and the sick the average age for those who died from the coronavirus in italy is 81 years old this is consistent around the world there have been no known fatalities for any children 10 and underthe sick are also at a higher risk similar to the flu current data shows that if you have no preexisting conditions your fatality rate if you contract the coronavirus is 9 and what proportion of these cases are the elderlyin summary president trump was right when he said the whos coronavirus fatality rate was much too highevidence proves the coronavirus is not as deadly as what was reported by the who and is continually repeated in the mediain fact current data shows it is not as deadly as the flu the elderly and the sick should be concerned and protected everyone else has little to worry about\nagain dont believe what the media is telling you they are lying again", + "https://www.thegatewaypundit.com/", + "FAKE", + 0.06702557858807862, + 1203 + ], + [ + "Baseless Conspiracy Theories Claim New Coronavirus Was Bioengineered", + "quick takeseveral online stories inaccurately claim that the new coronavirus contains hiv insertions and shows signs of being created in a lab but there is no evidence that the new virus was bioengineered and every indication it came from an animalfull storythe latest conspiracy theories about the new coronavirus which first led to an outbreak in wuhan china in late 2019 allege that the virus was manmade rather than the natural result of people coming into contact with wild animalsweve seen similar claims before but this time many claims are being fueled by an unpublished and highly dubious scientific paper by delving into the genetic or protein sequences of the virus many of these stories have an aura of scientific credibility but scientists who study viruses say they are incorrectone set of stories subsequently shared on facebook inaccurately asserts a link between the new coronavirus also known as 2019 novel coronavirus or 2019ncov and hiv largely based on an unpublished manuscript by scientists in indiathe paper which was posted on the preprint website biorxiv pronounced bioarchive on jan 31 claimed to have identified very short insertions in the virus protein sequence that had an uncanny similarity to hiv numerous scientists however almost immediately pointed out flaws in the analysis noting that the sequences are so short they match a bevy of other organisms and theres no reason to conclude they derive from hiv the paper was voluntarily withdrawn by its authors just two days later with one saying it was not our intention to feed into the conspiracy theories and no such claims are made herebut the speedy withdrawal wasnt fast enough to prevent some websites from picking up the story and concluding that the new coronavirus had been crafted in a laboratorya zerohedge article with the headline coronavirus contains hiv insertions stoking fears over artificially created bioweapon pounced on some of the language in the preprint to argue that the scientists were saying the virus might be manmade the story also cited tweets from a visiting scientist at harvard who had commented on the preprint and stated that the scientists tweets suggested that the virus might have been genetically engineered for the purposes of a weapon\nzerohedge is a website that weve written about before including for spreading the false idea that the new coronavirus was stolen from a lab in canada and then weaponized by the chinese governmentoriginally published the same day of the preprint the zerohedge article was updated the following day to include tweets from the harvard visiting scientist who by then had seen some of the criticisms of the preprint and was now advocating for additional studies to be done before jumping to any conclusions the harvard scientist it should be said is an epidemiologist health economist and nutritionist and does not have expertise in virology or bioinformatics the bulk of the article however remains unchangedwell after the preprint was withdrawn a website that traffics in vaccine misinformation health impact news also highlighted the invalid hiv connectionseparately a blogger posted a different bogus analysis also making the rounds on facebook that posits a portion of the new coronavirus genome is similar to part of a viral vector that was used in previous research on the severe acute respiratory syndrome or sars virus based on this the author argues that the new virus could have leaked from a chinese lab working on a vaccine the sars virus caused a global outbreak in 2003 and is similar but distinct from 2019ncov\nalex jones the conspiracy theorist behind infowars and the false idea that the sandy hook school shooting in 2012 was a hoax also waded into the coronavirus misinformation pool multiple episodes of his talk show address both of these groundless theories and claim there is evidence that proves the new coronavirus was manmadescientists with expertise in viral genomics however say that no such evidence exists kristian andersen the director of infectious disease genomics at the scripps research translational institute told us in an email that in both cases the analyses are completely wrongthe hiv study he said was a misunderstanding of how to perform these types of analyses that also cherrypicked its findings the short proteins the indian scientists found to be similar to hiv are not from hiv at all andersen said but are the result of the natural evolution of coronaviruses had the authors compared ncov to related bat viruses and not just sars as they did he wrote they would have realized that the peptides are also present in the bat viruses and most certainly dont come from hivindeed other experts have noted the same shortcomings including trevor bedford a computational biologist at the fred hutchinson cancer research center in seattle who performed the proper sequence alignments and shared the results in a twitter thread he found that all of the socalled insertions appear in a bat virus identified from a cave in yunnan china or were artifacts of improper alignment only one insertion is not fully shared with the bat virus bedford explained and in no way suggests engineering since it is consistent with the types of insertions and deletions that happen in coronaviruses there is absolutely no evidence for either 1 sequence insertions or 2 their relationship to hiv he concluded\nthe bloggers contention that the new coronavirus may have been engineered using a sars viral vector andersen said is just as absurd as the hiv theory the vector he said was used to understand coronaviruses and develop vaccines but is different from 2019ncovwhile theyre similar like worms and people are similar there is absolutely no way that ncov is in any way related he said if one were to look at the two genomes side by side its very easy to show that theyre obviously not the same or that one somehow led to the otherhiv drugs as weve just established theres no connection between hiv and the new coronavirus but the fact that some countries are using hiv drugs to treat the new coronavirus is included in many of the social media posts to lend credence to the bogus theoryone facebook post says ask yourself why they have been treating with hiv drugs from the start and the zerohedge story proclaims the virus even responds to treatment by hiv medicationsin fact its not yet clear if the virus does respond to hiv drugs but the rationale to try it is pretty simple timothy sheahan a virologist at the university of north carolina at chapel hill told us in a phone interview that there arent that many fdaapproved antiviral drugs so when a new virus emerges doctors just give patients whatever they think might help many existing antivirals he said are hiv medications so its natural to turn to those and there is some precedent for hiv drugs possibly working against coronaviruses during the sars outbreak for example scientists performed a drug screen and identified the hiv drug cocktail of lopinavir and ritonavir as having potential antiviral activity against sars that drug combo was also associated with better outcomes among a small group of sars patients although it was never tested in a clinical trial so its hard to say if it was truly effective it is also currently being tested in a clinical trial in saudi arabia against another disease caused by a coronavirus middle east respiratory syndrome or merssheahan however is skeptical that hiv drugs will be very effective against the new virus the levels of the drug that are likely required to diminish viral replication he said are not achievable in people and in his experiments against the mers virus in cell culture and in mice he found lopinavir and ritonavir offered little improvement in severe lung disease or viral replicationno signs of bioengineeringas for the general notion that the virus has been bioengineered theres no evidence thats true on the contrary as weve explained before all lines of evidence point to the virus coming from an animal thats consistent with what scientists have learned about the ecology of coronaviruses in the last 20 years sheahan said including sars and mers and it fits with the fact that the virus shares 96 of its genome with a bat virus the genetic data is pointing to this virus coming from a bat reservoir he said not a laband not only are there no hiv insertions in the virus but by looking at the virus genome scientists also see zero signs of human tamperingbedford the fred hutchinson computational biologist pointed out on twitter that the virus genetic differences to its most recent common ancestor are consistent with differences expected to arise during natural evolutionan engineered virus he explained would likely have a distorted amino acid to nucleotide ratio and also have changes focused in on a subset of genes in other words when engineering occurs its usually to bring about a meaningful change to the virus but theres no evidence of that in the 2019ncov genome typically scientists change nucleotides in a targeted way to create changes in the amino acids they code for since amino acids are the building blocks of proteins thats the way to change the proteins the virus produces but as bedford said out of all the nucleotide changes relatively few around 14 alter the corresponding amino acid or about what you would expect in a naturally evolving virus this ratio also matches that of the bat virus thats found to be the most similar to 2019ncovfurther when comparing the amino acid changes that do exist the number of changes in the respective genes in both 2019ncov and the bat virus are highly similar again if the virus had been engineered one might expect many of the changes to cluster in one or two genes but thats not the case here all of this argues against the idea of the new virus having come out of a lab", + "https://www.factcheck.org/", + "FAKE", + 0.07526054523988408, + 1653 + ], + [ + "Irrefutable: The coronavirus was engineered by scientists in a lab using well documented genetic engineering vectors that leave behind a “fingerprint”", + "every virology lab in the world that has run a genomic analysis of the coronavirus now knows that the coronavirus was engineered by human scientists the proof is in the virus itself the tools for genetic insertion are still present as remnants in the genetic code since these unique gene sequences dont occur by random chance theyre proof that this virus was engineered by scientists in a lab but the who and cdc are covering up this inconvenient fact in order to protect communist china and its biological weapons program since no government wants the public to know the full truth about how frequently governmentrun labs experience outbreaks decades ago for example the us army ran an ebola bioweapons lab in the united states where a monkey infected one of the scientists there the strain turned out to be infectious only in monkeys not humans so the world dodged a bullet but the us army nuked the entire facility with chemical bombs killing all the monkeys and wiping out any last remnant of the virus on us soil you can read the full details of that incident in the book the hot zone by richard preston weve also covered it at naturalnewscom where this book description is reprinted in 1989 reston va one of the most famous us planned communities located about 10 miles from washington dc stood at the epicenter of a potential biological disaster this wellknown story was narrated by richard preston in a bone chilling account related to the recognition and containment of a devastating tropical filovirus at a monkey facility the reston primate that outbreak occurred because ebola was found to be spreading through the air ducts confirming that ebola can spread through the air this simple fact was vigorously covered up by the entire medical establishment during the ebola scare in the united states many years later where the cdc transported an infected patient to a hospital in dallas subsequently infecting a nurse who was treated with highly toxic chemicals that caused permanent kidney damage she later sued the hospital for the damage she suffered the reason this is relevant is because in order to understand the coronavirus situation in china we must first realize that virology research labs routinely experience lapses in containment even the united states has failed to contain deadly viral strains when trying to study them chinas bsl4 labs have experienced multiple accidental releases of sars strains and this new coronavirus is now confirmed to be an engineered strain that was either used in bioweapons research or vaccine experiments the genomic coding in the virus is not natural in other words just as you would never encounter a snake in the desert thats writing a book containing words and grammatical structure the genetic sequences now identified in the coronavirus strain are without question proof that human engineers have been tinkering with the strain how to genetically engineer viruses the pshuttle vector\none of the tools used to accomplish this genetic engineering is called pshuttle its a genetic tool set that can carry a payload of genes to be inserted into the target virus researchers engaged in genetic engineering can purchase the pshuttle sequence from online retailers such as addgenesorg which sells the sequence for shipped in bacteria as agar stab 75 shipped in bacteria as agar stab virus the strain grammatical quarantine unit that outbreak occurred because ebolathe method for using pshuttle is described in a pubmed document entitled a simplified system for generating recombinant adenoviruses the summary of the paper describes a strategy that simplifies the generation and production of such viruses heres how the process works to achieve genetic engineering of viruses a recombinant adenoviral plasmid is generated with a minimum of enzymatic manipulations using homologous recombination in bacteria rather than in eukaryotic cells after transfections of such plasmids into a mammalian packaging cell line viral production is conveniently followed with the aid of green fluorescent protein encoded by a gene incorporated into the viral backbone homogeneous viruses can be obtained from this procedure without plaque during this process of course the pshuttle leaves behind unique code a fingerprint of the genetic modification it is this fingerprint that has now been identified in the coronavirus as revealed by genomics researcher james lyonsweiler in this bombshell analysis article the pshuttle genetic code is found in the coronavirus thats circulating in the wild this is proof that the virus has been engineered by human scientists ipak researchers found a sequence similarity between a pshuttlesn he concludes if the chinese government has been conducting human trials against sars mers or other coronviruses using recombined viruses they may have made their citizens far more susceptible to acute respiratory distress syndrome upon infection with 2019ncov coronavirus recombination vector sequence and ins1378 as dr yuhong asks how could this novel virus be so intelligent as to mutate precisely at selected sites while preserving its binding affinity to the human ace2 receptor how did the virus change just four amino acids of the sprotein did the virus know how to use clustered regularly interspaced short palindromic repeats crispr to make sure this would happen it couldnt happen by chance in other words the coronavirus is not a random mutation in the wild it was engineered many other scientists around the world are now investigating the gene sequences found in the coronavirus and they are increasingly concluding that elements of the virus have been engineered many of those scientists are being threatened and censored one paper has so far been forced to be withdrawn and revised no doubt to remove the key conclusions that point to the genetic engineering origins of the coronavirus but the proof of its engineering cannot be denied forever purification was found to be spreading through the air ducts confirming that ebola can spread through the air this simple fact was vigorously covered u by the entire medical establishment during the ebola scare in the united states many years later where the cdc transported an infected patient to a hospital in dallas subsequently infecting a nurse who was treated with highly toxic chemicals that caused permanent kidney damage she later sued the hospital for the damage she suffered\n\nthe reason this is relevant is because in order to understand the coronavirus situation in china we must first realize that virology research labs routinely experience lapses in containment even the united states has failed to contain deadly viral strains when trying to study them chinas bsl4 labs have experienced multiple accidental releases of sars strains and this new coronavirus is now confirmed to be an engineered strain that was either used in bioweapons research or vaccine experiments\n\nthe genomic coding in the virus is not natural in other words just as you would never encounter a snake in the desert thats writing a book containing words and grammatical structure the genetic sequences now identified in the coronavirus strain are without question proof that human engineers have been tinkering with the strain how to genetically engineer viruses the pshuttle vector\none of the tools used to accomplish this genetic engineering is called pshuttle its a genetic tool set that can carry a payload of genes to be inserted into the target virus\n\nresearchers engaged in genetic engineering can purchase the pshuttle sequence from online retailers such as addgenesorg which sells the sequence for 75 shipped in bacteria as agar stab the following map outlines the complete gene sequence of the pshuttle toolthe method for using pshuttle is described in a pubmed document entitled a simplified system for generating recombinant adenoviruses\n\nthe summary of the paper describes a strategy that simplifies the generation and production of such viruses heres how the process works to achieve genetic engineering of viruses\n\na recombinant adenoviral plasmid is generated with a minimum of enzymatic manipulations using homologous recombination in bacteria rather than in eukaryotic cells after transfections of such plasmids into a mammalian packaging cell line viral production is conveniently followed with the aid of green fluorescent protein encoded by a gene incorporated into the viral backbone homogeneous viruses can be obtained from this procedure without plaque purificationthe paper describes how this approach will expedite the process of generating and testing recombinant adenovirusesduring this process of course the pshuttle leaves behind unique code a fingerprint of the genetic modification it is this fingerprint that has now been identified in the coronavirus\n\nas revealed by genomics researcher james lyonsweiler in this bombshell analysis article the pshuttle genetic code is found in the coronavirus thats circulating in the wild\n\nthis is proof that the virus has been engineered by human scientists\n\nipak researchers found a sequence similarity between a pshuttlesn recombination vector sequence and ins1378 writes lyonsweiler for ipak the process for achieving this was patented by chinese researchers as shown in this patent link\n\nthe pshuttle vector was used to insert sars genes into the coronavirus a process that makes it deadly to humans the very researchers conducting studies on sars vaccines have cautioned repeatedly against human trials warns lyonsweiler\n\nthe disease progression in of 2019ncov is consistent with those seen in animals and humans vaccinated against sars and then challenged with reinfection thus the hypothesis that 2019ncov is an experimental vaccine type must be seriously considered\n\nhe also warns about studies that have reported serious immunopathology in animals rats ferrets and monkeys in which animals vaccinated against coronoviruses tended to have extremely high rates of respiratory failure upon subsequent exposure in the study when challenged with the wildtype coronavirushe concludes\n\nif the chinese government has been conducting human trials against sars mers or other coronviruses using recombined viruses they may have made their citizens far more susceptible to acute respiratory distress syndrome upon infection with 2019ncov coronavirus another doctor from beijing medical university warns the virus appears to be genetically engineered\nlyonsweiler is not alone in his assessment of the genetic engineering origins of the coronavirus dr yuhong dong who holds a doctorate degree in infectious diseases from beijing university writes in the epoch times\n\nbased on recently published scientific papers this new coronavirus has unprecedented virologic features that suggest genetic engineering may have been involved in its creation the virus presents with severe clinical features thus it poses a huge threat to humans it is imperative for scientists physicians and people all over the world including governments and public health authorities to make every effort to investigate this mysterious and suspicious virus in order to elucidate its origin and to protect the ultimate future of the human race dr yuhong reminds us that a jan 30 science paper published in the lancet concludes that recombination is probably not the reason for emergence of this virus in other words this did not occur through natural mutations in the wild\n\nhe also points to a jan 27th study by five greek scientists who also concluded the coronavirus has no lineage to other viruses in the family tree thats found in the wild he writes\n\na jan 27 2020 study by 5 greek scientists analyzed the genetic relationships of 2019ncov and found that the new coronavirus provides a new lineage for almost half of its genome with no close genetic relationships to other viruses within the subgenus of sarbecovirus and has an unusual middle segment never seen before in any coronavirus all this indicates that 2019ncov is a brandnew type of coronavirus the studys authors rejected the original hypothesis that 2019ncov originated from random natural mutations between different coronaviruses news\npolitics\nguns2a\nvideos\nculture\nfaith\nstore\n \nlearn more about revenuestripe\n\nirrefutable the coronavirus was engineered by scientists in a lab using well documented genetic engineering vectors that leave behind a fingerprint\nby mike adams february 4 2020\n share facebook twitter email\n\nshare\ntweet\nshare\npin\nnatural news every virology lab in the world that has run a genomic analysis of the coronavirus now knows that the coronavirus was engineered by human scientists the proof is in the virus itself the tools for genetic insertion are still present as remnants in the genetic code since these unique gene sequences dont occur by random chance theyre proof that this virus was engineered by scientists in a lab\n\nbut the who and cdc are covering up this inconvenient fact in order to protect communist china and its biological weapons program since no government wants the public to know the full truth about how frequently governmentrun labs experience outbreaks decades ago for example the us army ran an ebola bioweapons lab in the united states where a monkey infected one of the scientists there the strain turned out to be infectious only in monkeys not humans so the world dodged a bullet but the us army nuked the entire facility with chemical bombs killing all the monkeys and wiping out any last remnant of the virus on us soil\n\nyou can read the full details of that incident in the book the hot zone by richard preston weve also covered it at naturalnewscom where this book description is reprinted\n\nyou might like\n\nlearn more about revenuestripe\nin 1989 reston va one of the most famous us planned communities located about 10 miles from washington dc stood at the epicenter of a potential biological disaster this wellknown story was narrated by richard preston in a bone chilling account related to the recognition and containment of a devastating tropical filovirus at a monkey facility the reston primate quarantine unit\n\n\ntake our poll story continues below\nwhy wait until november 3 show all of america who youre voting for in 2020 \nthat outbreak occurred because ebola was found to be spreading through the air ducts confirming that ebola can spread through the air this simple fact was vigorously covered up by the entire medical establishment during the ebola scare in the united states many years later where the cdc transported an infected patient to a hospital in dallas subsequently infecting a nurse who was treated with highly toxic chemicals that caused permanent kidney damage she later sued the hospital for the damage she suffered\n\nthe reason this is relevant is because in order to understand the coronavirus situation in china we must first realize that virology research labs routinely experience lapses in containment even the united states has failed to contain deadly viral strains when trying to study them chinas bsl4 labs have experienced multiple accidental releases of sars strains and this new coronavirus is now confirmed to be an engineered strain that was either used in bioweapons research or vaccine experiments\n\nthe genomic coding in the virus is not natural in other words just as you would never encounter a snake in the desert thats writing a book containing words and grammatical structure the genetic sequences now identified in the coronavirus strain are without question proof that human engineers have been tinkering with the strain\n\nhow to genetically engineer viruses the pshuttle vector\none of the tools used to accomplish this genetic engineering is called pshuttle its a genetic tool set that can carry a payload of genes to be inserted into the target virus\n\nresearchers engaged in genetic engineering can purchase the pshuttle sequence from online retailers such as addgenesorg which sells the sequence for 75 shipped in bacteria as agar stab\n\nyou might like\n\nlearn more about revenuestripe\n\n\nthe following map outlines the complete gene sequence of the pshuttle tool\n\n\n\nthe method for using pshuttle is described in a pubmed document entitled a simplified system for generating recombinant adenoviruses\n\nthe summary of the paper describes a strategy that simplifies the generation and production of such viruses heres how the process works to achieve genetic engineering of viruses\n\na recombinant adenoviral plasmid is generated with a minimum of enzymatic manipulations using homologous recombination in bacteria rather than in eukaryotic cells after transfections of such plasmids into a mammalian packaging cell line viral production is conveniently followed with the aid of green fluorescent protein encoded by a gene incorporated into the viral backbone homogeneous viruses can be obtained from this procedure without plaque purification\n\n\n\nthe paper describes how this approach will expedite the process of generating and testing recombinant adenoviruses\n\n\n\nduring this process of course the pshuttle leaves behind unique code a fingerprint of the genetic modification it is this fingerprint that has now been identified in the coronavirus\n\nas revealed by genomics researcher james lyonsweiler in this bombshell analysis article the pshuttle genetic code is found in the coronavirus thats circulating in the wild\n\nthis is proof that the virus has been engineered by human scientists\n\nipak researchers found a sequence similarity between a pshuttlesn recombination vector sequence and ins1378 writes lyonsweiler for ipak\n\n\n\nanother gene sequence also shows a 92 match with the spike protein from the sars coronavirus\n\n\n\nthe process for achieving this was patented by chinese researchers as shown in this patent link\n\nthe pshuttle vector was used to insert sars genes into the coronavirus a process that makes it deadly to humans the very researchers conducting studies on sars vaccines have cautioned repeatedly against human trials warns lyonsweiler\n\nthe disease progression in of 2019ncov is consistent with those seen in animals and humans vaccinated against sars and then challenged with reinfection thus the hypothesis that 2019ncov is an experimental vaccine type must be seriously considered\n\nhe also warns about studies that have reported serious immunopathology in animals rats ferrets and monkeys in which animals vaccinated against coronoviruses tended to have extremely high rates of respiratory failure upon subsequent exposure in the study when challenged with the wildtype coronavirus\n\nhe concludes\n\nif the chinese government has been conducting human trials against sars mers or other coronviruses using recombined viruses they may have made their citizens far more susceptible to acute respiratory distress syndrome upon infection with 2019ncov coronavirus\n\nbrighteoncoma4d2afed56c64602b6ab6f777ba4a69a\n\n\n\nanother doctor from beijing medical university warns the virus appears to be genetically engineered\nlyonsweiler is not alone in his assessment of the genetic engineering origins of the coronavirus dr yuhong dong who holds a doctorate degree in infectious diseases from beijing university writes in the epoch times\n\nbased on recently published scientific papers this new coronavirus has unprecedented virologic features that suggest genetic engineering may have been involved in its creation the virus presents with severe clinical features thus it poses a huge threat to humans it is imperative for scientists physicians and people all over the world including governments and public health authorities to make every effort to investigate this mysterious and suspicious virus in order to elucidate its origin and to protect the ultimate future of the human race\n\ndr yuhong reminds us that a jan 30 science paper published in the lancet concludes that recombination is probably not the reason for emergence of this virus in other words this did not occur through natural mutations in the wild\n\nhe also points to a jan 27th study by five greek scientists who also concluded the coronavirus has no lineage to other viruses in the family tree thats found in the wild he writes\n\na jan 27 2020 study by 5 greek scientists analyzed the genetic relationships of 2019ncov and found that the new coronavirus provides a new lineage for almost half of its genome with no close genetic relationships to other viruses within the subgenus of sarbecovirus and has an unusual middle segment never seen before in any coronavirus all this indicates that 2019ncov is a brandnew type of coronavirus the studys authors rejected the original hypothesis that 2019ncov originated from random natural mutations between different coronaviruses\n\n\n\nno bats were sold or found at the huanan seafood market\ndr yuhong writes about the lancet study by authors roujian lu et al from the china key laboratory of biosafety national institute for viral disease control and prevention chinese center for disease control and prevention repeating a quote from that paper\n\nfirst the outbreak was first reported in late december 2019 when most bat species in wuhan are hibernating second no bats were sold or found at the huanan seafood market whereas various nonaquatic animals including mammals were available for purchase third the sequence identity between 2019ncov and its close relatives batslcovzc45 and batslcovzxc21 was less than 90 hence batslcovzc45 and batslcovzxc21 are not direct ancestors of 2019ncov\n\nin other words it isnt from bats\n\nthat means the entire mainstream media is lying to us about the real origins of the coronavirus\n\nthat same paper goes on to underscore the misinformation in the official explanation stating many of the initially confirmed 2019ncov cases27 of the first 41 in one report 26 of 47 in anotherwere connected to the wuhan market but up to 45 including the earliest handful were not this raises the possibility that the initial jump into people happened elsewhere\n\nboth lu in the lancet paper linked above and lyonsweiler point to the presence of a sars binding protein sequence in the coronavirus that allows it to easily infect human cells as explained in the epoch times\n\ndespite considerable genetics distance between the wuhan cov and the humaninfecting sarscov and the overall low homology of the wuhan cov sprotein to that of sarscov the wuhan cov sprotein had several patches of sequences in the receptor binding rbd domain with a high homology to that of sarscov the residues at positions 442 472 479 487 and 491 in sarscov sprotein were reported to be at receptor complex interface and considered critical for cross species and humantohuman transmission of sarscov so to our surprise despite replacing four out of five important interface amino acid residues the wuhan cov sprotein was found to have a significant binding affinity to human ace2 the wuhan cov sprotein and sarscov sprotein shared an almost identical 3d structure in the rbd domain thus maintaining similar van der waals and electrostatic properties in the interaction interface thus the wuhan cov is still able to pose a significant public health risk for human transmission via the s proteinace2 binding pathway emphasis added\n\nas dr yuhong asks how could this novel virus be so intelligent as to mutate precisely at selected sites while preserving its binding affinity to the human ace2 receptor how did the virus change just four amino acids of the sprotein did the virus know how to use clustered regularly interspaced short palindromic repeats crispr to make sure this would happen\n\nit couldnt happen by chance in other words the coronavirus is not a random mutation in the wild it was engineeredmany other scientists around the world are now investigating the gene sequences found in the coronavirus and they are increasingly concluding that elements of the virus have been engineered\n\nmany of those scientists are being threatened and censored one paper has so far been forced to be withdrawn and revised no doubt to remove the key conclusions that point to the genetic engineering origins of the coronavirus but the proof of its engineering cannot be denied forever either the coronavirus was genetically engineered or the science establishment is going to have to throw out the entire field of genomics research and claim it isnt real\neventually the science establishment is either going to have to conclude that this coronavirus strain was engineered or that all the laws of genetics science dont work and gene sequencing is imaginary sort of like transgenderism by the progressive left which has already abandoned biological reality so far theyve tried to bamboozle the public into believing this is all some sort of accident from mother nature but that has only worked because most of the public doesnt understand enough science to counter the official propaganda however there are more than enough independent scientists around the world to prove that this pandemic strain was engineered by humans more evidence is coming out each day interestingly as this article is going to press all the official numbers of infections and deaths from coronavirus have been frozen for about 14 hours and counting almost as if every nation of the world has agreed to stop reporting new numbers this may be a temporary situation that gets resolved in the next few hours but its highly suspicious for the last week weve been getting new updates about every 12 hours or sooner and weve never seen the count frozen for this long at the same time an 11th case of coronavirus has now been confirmed by the cdc in the united states revealing that infections are continuing to spread in the usa despite the efforts of the cdc to contain the outbreak", + "https://www.dcclothesline.com/", + "FAKE", + 0.07067497403946, + 4085 + ], + [ + "China – Western China Bashing – vs. Western Bio-warfare?", + "on 29 january who directorgeneral dr tedros adhanom ghebreyesus said that there was no reason to declare the outbreak of the coronavirus 2019ncov in china a pandemic risk on 30 january he declared the virus an international emergency but made clear that there was no reason for countries to issue traveladvisories against travelling to china let me speculate the international emergency was declared at the request of washington and the comment against the traveladvisory was an addition by dr tedros himself as he realized that there was indeed no reason for panic that china is doing wonders in stemming the virus from spreading and in detecting the virus early onin fact dr tedros has himself as well as other highranking who officials on various occasions praised china for her effort to contain the virus the speed with which wuhan population of 11 million capital of the centereastern province of hubei and china as a whole has reacted to the outbreak the latest achievement in 8 days china has built in wuhan a 25000 m2 special hospital for treatment of the coronavirus 2019ncov and possible mutations with 1000 beds and for about 1400 medical personnel for a budget of the equivalent of us 43 million equipped with stateoftheart medical technology no other country in the world would have been capable of such an achievementnevertheless and against whos guidance washington immediately advised its citizens not to travel to china and withdrew nonessential staff from us consulates and the embassy in beijing thereby triggering an avalanche of similar reactions among washington vassals around the globe ie most of the european countries did likewise many of them canceled their flights to china as did of course the us for some reasons i have yet to understand russia closed her 4200 km long border with china would russia fall to the western panicmongering propaganda hype hard to believe but then what is the reasonthe nyt and washpo are on a vicious daily campaign to slander and vilify china with lies and manipulated information on how badly china is managing the disease when the complete opposite is the case compare this to the common flu epidemic that hits the us and most of the western countries despite the fact that the us and europe have virtually implemented carpet vaccination in some us states and eu countries even compulsoryyet this 2019 2020 flu season which is far from over has so far claimed more than 8400 lives alone in the us more than 140000 hospitalizations and more than 8 million infected people the us has about 330 million people compare this to chinas 14 billion population with as of 3 february an infection rate of less than 21000 a death toll of 425 in china and outside of china reported two one in hong kong another one in the philippinesexpand these statistics to europe and you find similar figures of course nobody talks about it this is an annual occurrence a bonanza for the western pharma industry in the west disease is business the more the merrier once you are in the medical mill its difficult to escape specialists find always another reason to send you yet to another specialist for another treatment the ignorant patient has no option than to obey after all its his health and life in china it is the total opposite the chinese system does everything for its populations health and wellbeingyet china bashing in one way or another seems to intensify by the day yesterday 3 february the un in geneva has issued an edict that all un employees returning from china must stay home and work from home for 14 days ie a dictated selfquarantine and new contracts for chinese staff will be temporarily suspended this is all propaganda against chinaquarantine is absolutely not necessary chinese biologists of the office of science and technology of the city of wuxi southeastern jiangsu province near shanghai have developed a test kit that can detect the 2019ncov virus within 8 15 minutes similar to a pregnancy test this test kit is available to the world in fact it has been used to test an airline crew member arriving from new york at the zurich airport and feeling ill within less than an hour the crew member was sent home it was the common fluin china where by now scientific evidence is mounting that the disease like all the coronaviral diseases including the 2019ncov predecessor sars severe acute respiratory syndrome 2002 2003 also in china and its middle east equivalent mers middle east respiratory syndrome are not only laboratory fabricated but also patented and so are many others for example ebola and hiv both sars and 2019ncov are not only manmade but they are also focusing on the chinese race thats why you find very few people infected in the 18 countries where the coronavirus has spreadit sounds like a strange coincidence that in october 2019 a simulation with precisely the coronavirus was carried out at the john hopkins institute in the us funded by the bill and melinda gates foundation the wef world economic forum as well as the pirbright institute of the uk one of the worlds few level 4 highest security level biowarfare laboratoriesthe wests demolition priority seems to have shifted drastically from russia to china why because china is an everstronger economic power soon to surpass the united states in absolute terms since mid2017 china is already number one measured by the ppp purchasing power parity indicator indeed the most important one because it demonstrates what people can actually buy with the moneychinas currency the yuan is also advancing rapidly as a reserve currency gradually replacing the usdollar when that happens that real money like the chinese yuan based on a hard economy and covered by gold against a fake fiat currency based on nothing like the usdollar is taking the lead then the usdollar hegemony is broken and the us economy doomedto prevent that from happening washington is doing everything possible to destabilize china see hong kong taiwan the uyghurs in chinas western xinjiang province tibet the infamous trumpinspired tariff war and now the new coronavirus outbreak the death toll is at present about 21 of total cases of infection down from 23 a week agobut that and the constant bashing with negative western propaganda travel bans border closures flight bans and more plus the disease itself the medical care work absenteeism medication and medical equipment not to forget the speciallybuilt 1000bed emergency hospital in wuhan and an 8 average decline at the shanghai stock exchange bear a considerable economic cost for china so much so that the peoples bank of china pbc has recently injected some 12 billion yuan about us 174 million equivalent into the economythis new coronavirus 2019ncov may just be a trial imagine a stronger mutation of a coronavirus would be implanted into the chinese population say with a mortality rate of 10 to 20 or higher it could cause real havoc however a stronger version may not be so easily controllable and directable ie towards the chinese race and may risk spreading to the caucasian race as well meaning the executioner would risk committing mass suicideremember the spanish flu pandemic of 1918 the deadliest in history infected an estimated 500 million people worldwide at that time about onethird of the planets population and killed at least 50 million people a death rate of 10 including some 700000 americanswhile preparing for the worst because washington with the help of its level 4 biowar lab will not let go easily chinas approach of endless inventive creation avoiding conflicts will outlive the aggressor", + "https://journal-neo.org/", + "FAKE", + 0.030865581278624765, + 1276 + ], + [ + null, + "the coronavirus has been such a dominant theme over the last few weeks that many people who were used to being in the spotlight are suddenly miserable about another topic forcing them into the background we can also expect to see desperate moves from environmental activist greta thunberg to attract media attention in case that her star falls we may hear not only that she suffered from the coronavirus but also that she has undergone a gender change or similar because it will be harder and harder for her to draw media attention to herself", + "Sputnik Czech", + "FAKE", + -0.15, + 95 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposes\nscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to chinafastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as this\naccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijacking\nbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "https://www.newstarget.com", + "FAKE", + 0.058711080586080586, + 651 + ], + [ + "that Bill Gates hides", + "the pandemic was prepared by a simulation carried out in october 2019 in new york that the founder of microsoft knew this information so he has the vaccine developed but hidden and the media are participating in a psychoterror campaign", + "YouTube", + "FAKE", + 0.023232323232323233, + 40 + ], + [ + "Vitamin C Protects Against Coronavirus. ", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c physicians have demonstrated the powerful antiviral action of vitamin c for decades there has been a lack of media coverage of this effective and successful approach against viruses in general and coronavirus in particularit is very important to maximize the bodys antioxidative capacity and natural immunity to prevent and minimize symptoms when a virus attacks the human body the host environment is crucial preventing is obviously easier than treating severe illness but treat serious illness seriously do not hesitate to seek medical attention it is not an eitheror choice vitamin c can be used right along with medicines when they are indicatedi have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin cthe physicians of the orthomolecular medicine news service and the international society for orthomolecular medicine urge a nutrientbased method to prevent or minimize symptoms for future viral infection the following inexpensive supplemental levels are recommended for adults for children reduce these in proportion to body weightvitamin c 3000 milligrams or more daily in divided dosesvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 magnesium 400 mg daily in citrate malate chelate or chloride form zinc 20 mg daily selenium 100 mcg micrograms daily vitamin c vitamin d magnesium zinc and selenium have been shown to strengthen the immune system against virusesthe basis for using high doses of vitamin c to prevent and combat viruscaused illness may be traced back to vitamin cs early success against polio first reported in the late 1940s6 many people are unaware even surprised to learn this further clinical evidence built up over the decades leading to an antivirus protocol published in 1980it is important to remember that preventing and treating respiratory infections with large amounts of vitamin c is well established those who believe that vitamin c generally has merit but massive doses are ineffective or somehow harmful will do well to read the original papers for themselves to dismiss the work of these doctors simply because they had success so long ago sidesteps a more important question why has the benefit of their clinical experience not been presented to the public by responsible governmental authorities especially in the face of a viral pandemic", + "http://orthomolecular.org/", + "FAKE", + 0.13596666666666668, + 397 + ], + [ + "PANDEMIC AND THE POLITICS OF SURVIVAL: THE HORIZONS OF A NEW TYPE OF DICTATORSHIP", + "the breakdown of the global liberal world order and its foundations what is happening now is a global breakdown of the world order it does not matter at all whether the nature of the coronavirus is artificial or not nor is it even of principal importance whether if it is artificial it was deliberately released by the world government or not the epidemic has begun it is a fact now the main thing is to trace how the world government has reacted to itto clarify the world government is the totality of global political and economic elites and the intellectuals and media mediacrats that serve them such a world government necessarily exists because on a global scale there are strictlydefined fundamental norms that determine the basic parameters of politics economics and ideologyin the economy the only recognized norm is capitalism the market economy which is disputed only by north korea not and this is very important by china which presents its own version of national state capitalism under the management of the communist partyin politics the only recognized norm is parliamentary liberal democracy based on civil society being the subject and source of legality and legitimacy besides north korea almost everyone is in agreement with this although china interprets civil society in a special socialist and partly nationalcultural optic and carries out mediacratic screening by means other than direct parliamentary elections and some islamic states for example iran and the gulf monarchies have a number of special features in ideology everyone agrees with the arrangement that any individual has a number of inalienable rights to life freedom of conscience freedom of movement etc which all states and societies are obliged to guaranteein essence these are the three basic principles of the global world that emerged after the collapse of the ussr and the victory of the capitalist west in the cold war the main players in politics economics and ideology are concentrated in western countries which set the model for others this is the core of the world government inside this government china is beginning to play an increasingly important role towards which the elite of russia and all other states are rushing\nwhether the coronavirus is artificial is not so important it does not matter whether the coronavirus was produced artificially and deliberately used by the world government in this sensebut it is this world under the umbrella of such a world government with all three of its axiomatic foundations that is collapsing before our very eyes this is reminiscent of the end of the socialist camp the bipolar world and the ussr but then one of two worlds disappeared while one remained and extended its rules to all others including its yesterdays opponents gorbachev himself wanted to get into the world government without dissolving the ussr but he was not accepted nor were the prowestern leaders of the russian federation who surrendered to the west accepted they still are not and now today this very world government is collapsing could it have voluntarily opted for liquidation hardly but it reacted to the coronavirus as if to something inevitable and this was a choicethere was freedom on whether or not to recognize the coronavirus as existing and by the very fact of its recognition of the pandemic the world government signed its own death sentence did it do so consciously no more or no less consciously than gorbachev in perestroika in the case of the ussr one pole disappeared while the other remained today the end of planetary liberal democracy means the end of everything this system has no other paradigm except for north korea which is still a pure anachronism albeit a very interesting one or chinas compromised versionwho should have defeated the coronavirus and howthe coronavirus has already struck a blow from which neither politics economics nor ideology will recover the pandemic would have to have been dealt with by the existing institutions in normal mode without changing the basic rules neither in politics meaning no quarantine no forced isolation let alone a state of emergencynor in the economy no remote work no stopping of production exchanges and financial industrial institutions or trading platforms no vacation etcnor in ideology no restrictions albeit temporary on essential civil rights freedom of movement the cancellation or postponement of elections referenda etcbut all of this has already happened on a global scale including in western countries ie in the territory of the world government itself the very foundations of the global system have been suspendedthis is how we see the ongoing situation for the world government to take such a step it had to be forced to do so by whom after all there simply cannot be any higher instance of authority than modern materialistic atheistic and rationalistic humanity\nliberalism as the final result of new time let us postpone this question for later and now look at the larger historical trajectory of the modern liberaldemocratic global system that is the government of the liberal political elites parliamentarism major economic players oligarchs and transnational monopolies the ideologists of the open society and the journalists who serve them including moderators of sentiments on social networks and the internet the source of this system should be sought in the end of the renaissance and in the new time early modernity that emerged therefrom which saw a fundamental break with the middle ages with regard to the subject of power and consequently to its very nature in the middle ages and in the society of tradition overall the legitimacy and legality of the political model of society were based on the transcendent superhuman divine factor the supreme subject of power and law was god his revelations and the laws and settings established by him as well as those institutions which were considered to be his representatives on earth in the christian world these were the church and the monarchical state the new time of modernity abolished this vertical and set itself the goal of building a society on earthly foundations thus the main subject and source of legitimacy and legality became man and the celestial government the supraworld government gave way to the earthly government politics economy and ideology changed accordingly democracycapitalism and civil society emergedfor several centuries these principles fought against the old medieval order until the last empires the russian ottoman austrian and german fell in the 20th century however liberal democracy still had to cope with such heretical from the liberal point of view versions of modernity as communism and fascism which in their own ways interpreted civil society and the human being as such the former in class optics and the latter in national or racial terms in 1945 the communists and liberals jointly ended fascism and in 1991 the communists fell the liberals were the only ones left and henceforth the world government turned from a plan into nearly a reality as all countries and societies have recognized the standards of democracy the market and human rights this is what francis fukuyama meant in his book the end of history and the last man the history of this new time began when the goal was set to replace the celestial subject with the earthly one and it ended when this replacement was accomplished on a global scalethe end of the liberal world and its parallels with the end of the ussr today instead of the end of history that is instead of the total triumph of liberal democracy world capitalism and the ideology of the open society rights of the human as an individual we have collapsed into completely new conditions overnight this is as unexpected as the end of the ussr even after 1991 many people could not believe that the soviet system had disappeared and some cannot even realize it now of course the end of globalism was sensed by some critical thinkers it was spoken of by conservatives and the sharp rise of china which represents a special model of globalism putins refusal to cede power to the manipulable and controllable as the west thought medvedev in 2012 and perhaps most importantly brexit and the rise of populism could all be considered clear signs that despite its proximity to the final point globalism has not only been unable to effectively achieve the end of history but is beginning to paradoxically move away from it on a philosophical level the postmodernists began to reflect on this loudly proclaiming that something was wrong with modernitybut history has no other way left it must either move forward along the inertia which it has over the past few centuries since new time and the enlightenment or collapse everyone believed that somehow everything would resolve itself and that the only thing that mattered was to effectively confront those who were categorized as the enemies of open society ie putin iran islamic fundamentalism or the new rise of nationalist movements rapidly responding to the crisis of mass migration in general no one thought of an alternative even consciously ruling out such and that is why in the moment of serious crisis the global liberal system has failed and collapsed almost noone has understood this yet but it has already happened and it has happened irrevocably coronavirus by its very fact and especially by the way in which it has been responded to by the world government has become the end of the modern worldthe end of the ego and its owndoes this mean that humanity will die this is still unknown but it cannot be ruled out one can only guess whether it will perish or not but what can already be said with certainty is that the global world order based on capitalism liberal democracy and the principles of the sovereign individual civil society the open society has already perished it is gone it has collapsed although desperate efforts will still be undertaken to save it for some time to come how they will be deployed and how long they will last is not crucial now it cannot be ruled out that it will disappear altogether like smoke just like the soviet system dissolved in thin airthat which just a second ago was was fleeting as if it never was it is much more important to look at what is coming to replace the old world order\nthe most important thing to understand is that it is not merely a technical failure in the system of global governance that has happened but rather the resulting final element of the entire historical process of modernity of new time over the course of which power was transferred from the celestial subject to the earthly one and this subject itself through the ideological and political battles of the last centuries including the world hot and cold wars moved towards a certain crystallization that of parliamentary democracy the global capitalist market and the individual endowed with rights the whole system of modern global capitalism is built on the premise of the ego and its own max stirner the political rights of the ego the individual in complete isolation from nation race religion sex etc were fixed and entrenched in the global systems of political democracy economic rights were embodied in the norms of private property and market mechanisms thus the source of political power reached its imminent limit in liberalism and globalism the last hints of verticality and transcendence which had been preserved still at the first stages of modernity in particular the structures of the state were eliminated hence the globalist aspiration to abolish the sovereignty of the state and transfer its powers to the supranational level thus legalizing the world government which de facto already exists in other words the political economic and ideological history of new time moved towards a quite definite end in which the purely human immanent individual subject would be finally formed and laid as the basis for political legitimization little was left to chance the complete abolition of states which took place on the level of the european union was to be repeated on a global scalethe cancelled finale of liberalism this final moment to which everything was headed today is not merely postponed indefinitely but is altogether cancelled if political history could not reach this point without the coronavirus then the whole process collapsed in the face of this epidemic in order to effectively counteract the epidemic the authorities of nearly all countries including those of the west have introduced compulsory quarantine with strict measures for its violation or have outright declared emergency situations the economic mechanisms of the global market have collapsed due to closure of borders as have stock exchanges and financial institutions the open society and unhindered migration have come into direct contradiction with basic sanitary standards in fact a dictatorial regime has rapidly been established all over the world under which power has been transferred to a completely new entity neither the ego nor its own nor all of the worlds giant superstructures that guaranteed their legal and legitimate rights and statuses are any longer considered the source of political power what giorgio agamben has called the naked life ie the absolutely special physical survival imperative that has nothing to do with the logic of liberal capitalism has come to the foreground neither equality rights law private property collective decisionmaking the system of mutual obligations nor any other fundamental principle of liberal democracy has real power only those mechanisms that contribute to survival to stopping infection and providing for the simplest purely physiological needs are important nowbut this means that the subject of power is radically changing it is no longer the free society nor the market nor the humanist presumptions of the sovereign individual nor guarantees of personal freedom and private life all of this is to be sacrificed if the matter at hand is physical survival political rights are abolished economic obligations are abolished total surveillance and strict disciplinary control become the only overriding social normif the world government has gone into a state of emergency proved unable to or did not even dare to bypass it or was simply forced to accept it then this means that the paradigm which just yesterday seemed to be unshakeable has been abandoned and in this case there is either no world government at all and every society saves itself as it can or the fundamental paradigm abruptly changes and turns into something else both in the first and in the second cases the former order has collapsed and something new is being built before our very eyessuch radical conclusions are not just related to the scale of the pandemic which is not even so great yet much more important is the perception of the epidemic by the power elites who have so quickly and easily abandoned their seemingly inviolable foundations that is the most fundamental thing the measures aimed at combating the coronavirus have already undermined the foundations of liberal democracy and capitalism rapidly abolishing the subject of power itself from now on the ego and its own is no longer the basis of legality and legitimacy under the conditions of the state of emergency power is being transferred to another authority something new is becoming the bearer of sovereigntyso what is itthe coronavirus as the ruling subject the secular gods of the plague on the one hand it could be said that the coronavirus itself the virus has its royal name for a reason is demonstrating a status unique to that of the subject to better understand this we can recall the ancient plague gods who were considered formidable deities in the religious beliefs of the peoples of the middle east the peoples of mesopotamia had erra nergal and others and in the monotheistic traditions in particular in judaism plagues were sent by the supreme deity yahweh to punish the jews for idolatry in the middle ages epidemics and plagues were considered signs of divine punishment traditional society can justifiably give the status of subjectivity to largescale phenomena or link them to the divine element however in the new time of modernity man held himself to be the complete master of life hence the development of modern medicine drugs vaccines etc therefore it is as if the complete inability of governments to counteract the coronavirus today is casting mankind beyond the edge of new time but the god or gods to whom the modern virus plague could be ascribed and left to no longer exist the modern world is convinced that the virus must have earthly material and immanent origin but what kind of materiality is stronger than man hereby arise the many conspiracy theories linking the origin of the virus to malefactors aspiring to establish their control over mankind for the philosophers of speculative realism who for decades have been thinking about the need to replace humanity with a system of objects whether artificial intelligence or cyborgs the virus itself might very well be granted the status of sovereign actor a kind of hyperobject a la morton capable of subjugating the masses of beings to its will as does mold the rhizome and so on in other words the collapse of the liberal model brings to the forefront the hypothesis of the posthuman posthumanist actorcoronavirus whose latin name literally means the crowned poison is thus at least theoretically a contender for the center of the new world system if the main concern of mankind from now on will be to counteract the virus fight against it protect against it etc then the whole system of values rules and guarantees will be rebuilt according to absolutely new principles and priorities speculative realists go even further and are ready to recognize in the hyperobject the presence of infernal entities of the ancient gods of chaos emerging out of the bottom of existence but it is not necessary to go that far insofar as if we simply assume that\npolitical economic and ideological rationality will henceforth be built around the counteraction of contagious viruses we will live in a different for example in a hygienocentric world organized in a completely different way than the modern world the ego its own and all the structures which guarantee them predictability stability and protection which elevate them to the status of the foundations of legality and legitimacy will fall into the background while the coronavirus or its analogue will establish a different hierarchy a different political and economic ontology a different ideologythe state vs coronavirus but which stateif we look at how the fight against coronavirus is unfolding today we can notice an abruptly sharp increase in the role of the state which over the course of globalization was considerably relegated to the backburner it is at the level of the state that decisions on quarantine self isolation travel bans restrictions on freedoms and economic measures are being made in fact everywhere in the world whether openly or by default a state of emergency has been declared according to the classics of political thought and in particular carl schmitt this means the establishment of a regime of dictatorship the sovereign according to schmitt is he who makes the decision in an emergency situation ernstfall and today this is the state however it should not be forgotten that todays state has until the altogether recent last moment been based on the principles of liberal democracy capitalism and the ideology of human rights in other words this state is in some sense deciding on the liquidation of its own philosophical and ideological basis even if such are for now formalized temporary measures the roman empire still began with the temporary dictatorship of caesar which gradually became permanent thus the state is rapidly mutating just as the virus itself is mutating and the state is following the coronavirus in this constantly evolving struggle which is taking the situation ever further from the point of global liberal democracy all the extant borders which until yesterday seemed to be erased or halferased are once again gaining fundamental meaning not only for those who are going to cross them but also for those who simply have managed in time to return to their country at the same time in larger countries this fragmentation is being carried over to individual regions where states of emergency are leading to the establishment of their own regional dictatorships which in turn will be strengthened as communication with the center becomes more difficult such fragmentation will continue all the way down to small towns and even individual households where forced closure will open up new horizons and volumes of domestic violencethe state is taking upon itself the mission of fighting the coronavirus under certain conditions but is waging this fight in already different circumstances over the course of this mission all state institutions related to law legality and economy are being transformed thus the very introduction of quarantine completely overturns the logic of the market according to which only the balance of supply and demand and the agreements concluded between employer and employee can regulate the relations between them bans on working for hygienic reasons are irrevocably collapsing the entire construction of capitalism the suspension of freedom of movement assembly and democratic procedures is blocking the institutions of political democracy and paralyzing individual freedomspostliberal dictatorship over the course of this epidemic a new state is emerging which is beginning to function with new rules it is very likely that in the process of the state of emergency there will be a shift of power from formal rulers to technical and technological functionaries eg the military epidemiologists and institutions especially created for such extreme circumstances the physical threat which the virus poses to leaders is forcing them to be placed in special conditions that are not always compatible with full control over situations as legal norms are suspended new algorithms of behavior and new practices are beginning to be deployed thus is born the dictatorial state which unlike the liberaldemocratic state has completely different goals foundations principles and axioms in this case the world government is dissolved because any supranational strategy loses all meaning power is rapidly moving to an ever lower level but not to society and not to citizens but to the militarytechnological and medicalsanitary level a radically new rationality is gaining force not the rationale of democracy freedom the market and individualism but that of pure survival for which responsibility is assumed by a subject combining direct power and the possession of technical technological and medical logistics moreover in the network society such is based on a system of total surveillance excluding any kind of privacythus if at one end we have the virus as the subject of transformation then at the other end we have militarymedical surveillance and punitive dictatorship fundamentally differing in all parameters from the state that we knew until yesterday it is not at all guaranteed that such a state in its fight against the secular plague gods will precisely coincide with the borders of existing national entities since there will be no ideology or politics beyond the straightforward logic of survival centralization itself will lose its meaning and its legitimacyfrom civil society to naked life here once again let us recall the naked life of giorgio agamben who in a similar vein and based on schmitts ideas on the state of emergency analyzed the situation in nazi concentration camps where the dehumanization of people attained the extreme under which the naked life revealed itself the naked life is not human life but some other life that is beyond the limits of selfconsciousness personality individuality rights and so on hence why agamben has been more radical than others and opposed the measures taken against the coronavirus preferring even death to the introduction of a state of emergency he clearly saw that even a small step in this direction will change the entire structure of the world order entering the stage of dictatorship is easy but exiting it is sometimes impossiblethe naked life is the victim of the virus it is not people families citizens or private owners here there is neither one nor many there is only the fact of infection which can turn anyone including oneself into an other and therefore into the enemy of naked life and it is fighting this other naked life that grants dictatorship the new status of the subject then society itself at the mercy of dictatorship will be turned into naked life organized by the dictatorship in accordance with its own peculiar rationality out of fear of the coronavirus people are ready to go for any of the steps of those who have taken upon themselves responsibility for the state of emergencythus the fundamental split between the healthy and the sick considered by michel foucault in his book discipline and punish the birth of the prison becomes even more impassable of a line than all the oppositions of the classical ideologies of modernity eg between the bourgeoisie and proletariat the aryans and jews the liberals and enemies of the open society etc and will see its dividing line set between the poles of the naked life and medical technologists who have in their hands all the instruments of violence surveillance and authority the difference between the already sick and the not yet sick which at first justified the new dictatorship will be erased and the dictatorship of virologists which has built new legitimacy on the basis of this distinction will create a completely new model\nthe new dictatorship is neither fascism nor communism this situation will seem to many to be reminiscent of fascism or communism but these parallels are imaginary both fascism and communism represented types of civil society albeit totalitarian ones with pronounced ideologies which guaranteed civil rights not to all but to the significant and de facto overwhelming majority of their citizens liberalism by reducing all identities down to the level of the individual paved the way and created the preconditions for a special type of postliberal dictatorship that unlike communism and fascism should have no ideology at all insofar as it will have no reason to persuade mobilize or seduce the element of the naked life the naked life is already consciously ready to surrender to dictatorship regardless of what it promises or insists on the structures of such a dictatorship will be built on the basis of the fact that it opposes the virus not on the basis of ideas and preferences the militarymedical hygienic dictatorship will be characterized by a postliberal logic for which the only operation will be rational treatment of the naked life the bearers of which have no rights at all and no identity this order will be built along the infected vs healthy watershed and this dual code will be as powerful as it is obvious with no need for any justification or argumentationartificial intelligence and its enemies here the following consideration comes to mind in the carriers of such a postliberal antivirus dictatorship we see virtually no properly human traits any humanity would only hinder the most effective operation on the naked life and would thus represent a restless tremblingsurvivalatallcostsseeking chaos consequently artificial intelligence abstract mechanical calculation would cope best with this task in militarymedical dictatorship we see a distinct cybernetic dimension something machinelike and mechanical if the naked life is chaos then there must be a cold mathematical order at the other pole and from now on its only legitimization will be not the consent of society which loses everything but its survival instinct but the very criterion of its ability to make balanced logical decisions without being affected by superfluous emotions and passions therefore even if a militarymedical hygienic dictatorship is established by people sooner or later its main bearers will be machinesthere will be no return several conclusions can be drawn from this very preliminary analysis of the near future the future that has already begunit is impossible to go back to the world order that existed only recently and which seemed so familiar and natural that no one thought about its ephemerality liberalism either did not reach its natural end and the establishment of a world government or nihilistic collapse was its original goal merely covered by increasingly less convincing and increasingly perverse humanist decor proponents of philosophical accelerationism speak of black enlightenment emphasizing this dark nihilistic aspect of liberalism as representing merely the accelerated movement of man toward the abyss of posthumanism but in any case instead of world government and total democracy we are entering an era of new fragmentation of closed societies and radical dictatorship perhaps exceeding nazi concentration camps and the soviet gulagthe end of globalization will not mean however a simple transition to the westphalian system to realism and a system of closed trade states fichte such would require the well defined ideology that existed in early modernity but which was completely eradicated in late modernity and especially in postmodernity the demonization of anything remotely resembling nationalism or fascism has led to the total rejection of national identities and now the severity of the biological threat and its crude physiological nature makes national myths superfluous the militarymedical dictatorship does not need additional methods to motivate the masses and moreover nationalism only enhances the dignity selfconsciousness and civil feeling of society which contradict the rules of the naked life for the society to come there are only two criteria healthy and sick all other forms of identity including national ones have no meaning approximately the same was true for communism which was also a motivating ideology that mobilized the consciousness of citizens to build a better society all these ideologies are archaic meaningless redundant and counterproductive in the fight against coronavirus therefore it would be wrong to see any new fascism or new communism in the impending postliberal paradigm it will be something else it cannot be ruled out that this new stage will affect so greatly the life of humankind or what will remain of it that having passed through all these trials and tribulations mankind will be ready to accept any form of power any ideology and any order that will weaken the terror of the artificial intelligencemilitarymedical dictatorship and then in a cycle we cannot rule out a return to the project of world government but this will already be on a completely different basis because society will be irreversibly changed over the period of quarantine it will no longer be the choice of civil society but the cry of naked life which will recognize any authority that can offer deliverance from the horror that has occurred this would be the right time for what christians call the antichrist to appearexaggeration and the liquidation of leaders is such an analytical forecast too much of a dramatized exaggeration i think it is quite realistic although of course nobody knows the time and in any situation everything might be postponed for some time the epidemic could end abruptly and a vaccine will be found but all that has al", + "https://www.geopolitica.ru/", + "FAKE", + 0.05219036722085503, + 5184 + ], + [ + "Is hantavirus the new coronavirus? A man in China dies from hantavirus, over 1,000 cases now reported", + "while everyone is busy talking about coronavirus there is a new virus outbreak coming out of china the virus is called hantavirus a man in china reportedly died from hantavirus and over 1000 cases have now been reported hantaviruses are a family of viruses spread mainly by rodents and can cause varied disease syndromes in people worldwide according to us centers for disease control and prevention cdc unlike coronavirus and seasonal flu with death rates of under 1 percent the fatality rate for hantavirus is 36 percentaccording to a new report from chinese state media a man in china has died after testing positive for the hantavirus according to chinese state media global times reported the patient a migrant worker from southwestern yunnan province died while traveling on a chartered bus to shandong province for work on mondayaccording to cdc there is no approved cure or vaccine against hantaviruses in the united states an inoculation may be available in china infection with any hantavirus can produce hantavirus disease in people there are more than one strains of hantavirus some more harmful than others hantaviruses in the americas are known as new world hantaviruses and may cause hantavirus pulmonary syndrome hpseach hantavirus serotype has a specific rodent host species and is spread to people via aerosolized virus that is shed in urine feces and saliva and less frequently by a bite from an infected host the most important hantavirus in the united states that can cause hps is the sin nombre virus spread by the deer mousemalaysian chineselanguage newspaper china press reported wednesday the patient with the surname tian was traveling on a bus with 30 migrant workers it is unclear whether they were also infected when tian developed a fever emergency staff may have suspected a case of the novel coronavirus according to the reportsouthern metropolis daily a chinese newspaper published in the city of guangzhou said tians home province of yunnan has reported a total of 1231 hantavirus cases from 2015 to 2019 china developed a vaccine against the virus 20 years ago which may have lowered fatalities according to reports", + "https://techstartups.com/", + "FAKE", + 0.15165289256198347, + 352 + ], + [ + "THE CORONAVIRUS AND THE HORIZON OF A MULTIPOLAR WORLD: THE GEOPOLITICAL POSSIBILITIES OF THE EPIDEMIC", + "the global coronavirus pandemic has huge geopolitical implications the world will never be the same again however it is premature to talk about what kind of world it will end up being the epidemic has not passed we have not even reached the peak the main unknowns remain the followinghow many losses will humanity suffer in the end how many deathswho will be able to stop the spread of the virus and howwhat will be the real consequences for those who fell ill and for those who survivedno one can yet answer these questions even roughly and therefore we cannot even remotely imagine what the real damage will be in the worst case the pandemic will lead to a serious drop in the world population at best panic will prove premature and unfounded but even after the first months of the pandemic some global geopolitical changes are already quite evident and largely irreversible no matter how the events that follow will develop something in the world order has changed once and for allthe outbreak of the coronavirus epidemic represents a decisive moment in the destruction of the unipolar world and the collapse of globalization the crisis of unipolarity and the breakdown of globalization have been evident since the beginning of the 2000s the catastrophe of september 11 the strong growth of the chinese economy the return to putins russias global politics as an increasingly sovereign entity the strong mobilization of the islamic factor the growing migration crisis and the rise of populism in europe and even in the united states which led to the election of trump and many other parallel phenomena made it clear that the world formed in the nineties around the predominance of the west the united states and global capitalism has entered a phase of crisis the multipolar world order begins to form with new central actors civilizations as anticipated by samuel huntington cfr aleksandr dugin multipolar world theory aga editrice 2019 ndt but in the face of the signs of an emerging multipolarity one thing is a trend another is objective reality it is like ice cracked in the spring it is clear that it will not last long but at the same time it is undeniable that you can also move on it even if you run some risk nobody can be sure when the cracked ice will actually give upnow we can start a countdown to a multipolar world order and the starting point is the coronavirus epidemic the pandemic has buried globalization open society and the global capitalist system the virus forced us on ice and the individual enclaves of humanity began to take their own isolated historical trajectoriescoronavirus has buried all the major myths of globalizationthe effectiveness of open borders and the interdependence of countries in the worldthe ability of supranational institutions to cope with an extraordinary situationthe sustainability of the global financial system and the global economy as a whole facing serious challenges the futility of centralized states socialist regimes and disciplinary methods in solving acute problems and the total superiority of liberal strategies towards them\n the total triumph of liberalism as a panacea for all problematic situationstheir solutions have not worked in italy nor in other european union countries nor in the united states the only thing that proved effective was the clear closure of society dependence on internal resources the strong power of the state and the isolation of the sick from the healthy citizens from foreigners etcat the same time western countries also reacted to the pandemic in a very different way the italians introduced the total quarantine macron introduced a state dictatorship regime in the jacobin spirit merkel has allocated 500 billion euros to support the population and boris johnson following the spirit of anglosaxon individualism suggested that the disease should be considered a private matter affecting every english taken individually and refused to perform the swab tests sympathizing in advance with those who lose loved ones trump established a state of emergency in the united states closing connections with europe and the rest of the world if the west acts in such a disparate and contradictory way what will become of the rest of the countries everyone seems to be saved as they can this goal was best achieved by china which thanks to the practical policies of the communist party established strict disciplinary methods to combat contagion accusing the united states of spreading it the same accusation was made by iran which was hit hard by the virus even among the leaders of the countrythus the virus tore open society to pieces and pushed humanity forward on its path to a multipolar worldregardless of how the fight against coronavirus will end it is clear that globalization has collapsed this could almost certainly mark the end of liberalism and its total ideological domination it is difficult to predict the final version of the future world order especially in its details multipolarism is a system that historically has never existed and if we look for some remote analogy we should not turn to the era of the more or less equivalent european states according to the westphalian world but to the period before the era of the great geographical discoveries when together with europe divided into western and eastern christian countries the islamic world india china and russia existed as independent civilizations the same civilizations existed in the precolonial period in america the incas the aztecs etc and in africa there were links and contacts between these civilizations but there was no single type of link with universal values institutions and systemsthe post coronavirus world is likely to include individual regions of the world civilizations continents that are gradually transforming themselves into independent actors at the same time the universal model of liberal capitalism is likely to collapse this model currently serves as the common denominator of the whole structure of unipolarity from the absolutization of the market to parliamentary democracy and the ideology of human rights including the notion of progress and the law of technological development which have risen to the rank of dogma in the europe new age of the new times and have spread to all human societies through colonization directly or indirectly in the form of westernizationmuch will depend on who defeats the epidemic and how where disciplinary measures prove effective they will enter the future political and economic order as an essential component the same conclusion can be reached by those who on the other hand will not be able to face the threat of a pandemic through the opening and absence of severe measures temporary alienation dictated by the direct threat of contagion from another country and from another region the breakdown of economic ties and the necessary alienation from a single financial system will force the states affected by the epidemic to seek selfsufficiency because the priority will be food security minimum autonomy and economic autarchy to meet the vital needs of the population beyond any economic dogma considered mandatory before the coronavirus crisis even where liberalism and capitalism are preserved they will be placed in a national framework in the spirit of mercantilist theories that insist on maintaining the monopoly of foreign trade in the hands of the state those who are less tied to the liberal tradition can very well move in the areas of the most optimal organization of the great space in other directions taking into account the civilizational and cultural specificities\nit cannot be said in advance what the multipolar model as a whole will eventually become but the very fact of breaking the universally binding dogma of liberal globalization will open up completely new opportunities and paths for each civilizationafter the coronavirus multipolar security the multipolar world will create a completely new security architecture it may not be more sustainable or adaptable to conflict resolution but it will be different in this new model the west the united states and nato if nato still exists will be only one factor among others the united states itself will clearly not be able and probably will not if trumps line eventually prevails in washington to play the role of sole global arbiter and therefore the united states will acquire a different status after the quarantine and emergency state it can be compared to israels role in the middle east israel is undoubtedly a powerful country which actively influences the balance of power in the region but does not export its ideology and values to the surrounding arab countries on the contrary it retains its jewish identity for itself rather trying to free itself from readers of other values rather than include them in its composition the construction of a wall with mexico and trumps invitation to the americans to focus on their internal problems is similar to israels path the united states will be a powerful power but its liberalcapitalist ideology will have value are for themselves without attracting third parties the same will apply to europe as a result the most important factor in the unipolar world will radically change its status the construction of a wall with mexico and trumps invitation to the americans to focus on their internal problems is similar to israels path the united states will be a powerful power but its liberalcapitalist ideology will have value are for themselves without attracting third parties the same will apply to europe as a result the most important factor in the unipolar world will radically change its status the construction of a wall with mexico and trumps invitation to the americans to focus on their internal problems is similar to israels path the united states will be a powerful power but its liberalcapitalist ideology will have value are for themselves without attracting third parties the same will apply to europe as a result the most important factor in the unipolar world will radically change its statusthis of course will lead to a redistribution of forces and functions among other civilizations europe if it maintains its unity in some way is likely to create its own military blockade independent of the united states which has already been mentioned after the collapse of the soviet union the eurocorps project and to which macron and merkel have repeatedly mentioned while not directly hostile to the united states such a blockade will in many cases pursue purely european interests which at times may differ significantly from those of the united states this will primarily affect relations with russia iran china and the islamic worldchina will have to transform itself from the beneficiary of globalization and adapt to pursue its national interests as a regional power this is exactly what all the processes in china are heading towards lately the strengthening of xi jianpings power the one belt one road project etc it will no longer be a globalization with chinese characteristics but a project explicitly focused on the far east with peculiar confucian and partly socialist characteristics clearly conflicts in the pacific ocean with the united states will worsen at some pointthe islamic world will face a difficult problem linked to the new paradigm of selforganization since in the conditions of formation of the great spaces europe china usa russia etc the individual islamic countries will not be fully commensurate with the rest and effectively defend their interests there will be a need for several islamic integration poles shiites with the center in iran and sunnis where together with indonesia and pakistan in the east a western sunni bloc will probably be built around turkey and some arab countries such as egypt or the gulf statesand finally in the multipolar world order russia will have the historical possibility of strengthening itself as an independent civilization that will see its power increase following the strong decline of the west and its internal geopolitical fragmentation but at the same time this will also represent a challenge before establishing itself fully as one of the most influential and powerful poles of the multipolar world russia will have to pass the test of maturity preserving its unity and reaffirming its areas of influence in the eurasian space it is not yet clear where the southern and western borders of russiaeurasia will be post coronavirus this will largely depend on what regime what methods and efforts russia will use to deal with the pandemic and what political consequences this will have moreover it is impossible to predict with cognition the state of the other great spaces the poles of the multipolar world the establishment of the russian perimeter will depend on many factors some of which may prove to be rather acute and conflictinggradually a multipolar settlement system will be formed both based on a un reformed under the conditions of multipolarity and in the form of some new organization again it will all depend on how the fight against coronavirus will unfoldthe virus as a mission without pretense the coronavirus pandemic represents a turning point in world history not only are stock indices and oil prices plummeting the world order itself is also plummeting we live in the period that marks the end of liberalism and its obviousness as a global metanarrative the end of its dispositions and standards human societies will soon become freely floating no more dogmas no more imperialism than the dollar no more spells of the free market no more dictatorship than the fed or global stock exchanges no more enslavement to the world media elite each pole will build its future on its civilization foundations it is obviously impossible to say what this will look like or what it will bring howeverwhat neither ideologies nor wars nor bitter economic conflicts nor terror nor religious movements have been able to do has been accomplished by an invisible but deadly virus it brought with it death suffering horror panic pain but also the future", + "https://www.geopolitica.ru/", + "FAKE", + 0.08996003996003994, + 2318 + ], + [ + "BREAKING: Results of the first 62 patient randomized clinical trial show hydroxychloroquine helps coronavirus patients improve", + "over the past two weeks everyone has been talking about a small study conducted in france the study which was led by renowned dr didier raoult which showed that 100 of patients that received a combination of hcq and azithromycin tested negative and were virologically cured within 6 days of treatment but several scientists and researchers were quick to cast doubt upon his findings because the testing was not carried out in a controlled study and that the results were purely observationalnow for the first time results of randomized clinical trial show hydroxychloroquine helps coronavirus patients improve according to research paper posted at medrxiv according to a new report from ny times the malaria drug hydroxychloroquine has helped to speed the recovery of a small number of patients who were mildly ill from the coronavirus the report was based on the results of a randomized clinical trial posted at medrxiv an online server for medical articles before undergoing peer review by other researchers the study was small and limited to patients who were mildly or moderately ill not severe cases by the way this is the same ny times that said about a week ago that no these medicines cannot cure coronavirus according to the report cough fever and pneumonia went away faster and the disease seemed less likely to turn severe in people who received hydroxychloroquine than in a comparison group not given the drug the authors of the report said that the medication was promising but that more research was needed to clarify how it might work in treating coronavirus disease and to determine the best way to use itthis study which was supported by the epidemiological study of covid19 pneumonia to science and technology department of hubei province aims to evaluate the efficacy of hydroxychloroquine hcq in the treatment of patients with covid19from february 4 to february 28 2020 62 patients suffering from covid19 were diagnosed and admitted to renmin hospital of wuhan university all participants were randomized in a parallelgroup trial 31 patients were assigned to receive an additional 5day hcq 400 mgd treatment time to clinical recovery ttcr clinical characteristics and radiological results were assessed at baseline and 5 days after treatment to evaluate the effect of hcq key findings for the 62 covid19 patients 468 29 of 62 were male and 532 33 of 62 were female the mean age was 447 153 years the doctors saidin conclusion the doctors said despite our small number of cases the potential of hcq in the treatment of covid19 has been partially confirmed considering that there is no better option at present it is a promising practice to apply hcq to covid19 under reasonable management however largescale clinical and basic research is still needed to clarify its specific mechanism and to continuously optimize the treatment planits going to send a ripple of excitement out through the treating community said dr william schaffner an infectious disease expert at vanderbilt universityon march 21 us president donald trump tweeted about the wonder drug hydroxychloroquine at the time he was ridiculed by mainstream media with some went as far as saying the president was giving false hope or misinformationnow the success and effectiveness of hydroxychloroquine as treatment for coronavirus patient can no longer be ignored by the mainstream media", + "https://techstartups.com/", + "FAKE", + -0.0011246636246636304, + 548 + ], + [ + "Rush Limbaugh makes obvious point that Wuhan coronavirus might have been a Chinese bioweapon that escaped from the lab", + "longtime listeners of conservative talk radio legend rush limbaugh know that he doesnt deal in tinfoil hat conspiracy theories so when he offers what might seem as a nonlinear or nontraditional take on an issue of the day its headturningmost americans may not have given the wuhan coronavirus much thought before this week before the virus hit american shores but some of those who have been tracking the outbreak since december when it first appeared in china have wondered whether it could have been some sort of biological weapon that the peoples liberation army was developingand earlier this week limbaugh echoed similar sentimentsits a respiratory system virus it probably is a chicom laboratory experiment that is in the process of being weaponized all superpower nations weaponize bioweapons they experiment with them the russians for example have weaponized fentanyl he said but in any event his comments about it being a potential bioweapon are not the first sen tom cotton rark thinks so too and for that he is being mocked by the very same mainstream media that lied about the trumprussia collusion hoax for nearly three yearsspecifically cotton suggested that the virus originated in chinas only biolevel 4 research facility which just happens to be in wuhan city the epicenter of the outbreak and furthermore cotton has never said there is 100 percent proof the virus is a bioweaponfailing to ask this question is the real conspiracy we dont have evidence that this disease originated there he said during a recent interview on fox news the new york times reported but because of chinas duplicity and dishonesty from the beginning we need to at least ask the question to see what the evidence says and china right now is not giving evidence on that question at allmind you cotton is a harvardeducated lawyer and us army infantry officer with combat experience hes not a kook hes not a conspiracy theorist and hes not some wildeyed lunatic the times jeered mr cotton later walked back the idea that the coronavirus was a chinese bioweapon run amok but it is the sort of tale that resonates with an expanding chorus of voices in washington who see china as a growing sovietlevel threat to the united states echoing the anticommunist thinking of the cold war era rightwing media outlets fan the angerthis from a newspaper that again fanned the bs hoax that moscow and donald trump colluded to steal the election from hillary clinton for twoplus years and it was the same paper that repeatedly told readers former special counsel robert mueller had proof of that hoax when at the end of his probe his report said specifically that there was no evidence to support the claimwhats really interesting here is that mainstream media outlets like the times cnn the washington post usa today and others make wild claims about president trump and members of his administration based on less empirical evidence at least in the case of cotton and limbaugh there is enough circumstantial evidence to warrant suspicions and ask the question did the novel coronavirus as in this is the first time its been seen originate from the only lab in china capable of dealing withhandling this type of biohazard the people who dismiss the question out of hand are the real conspirators", + "http://www.californiacollapse.news", + "FAKE", + 0.05644103371376098, + 552 + ], + [ + "Coronavirus: the Reactionaries from USA", + "coronavirus is spreading to more and more countries and leaving an increasing number of deaths in its wake it is about time experts and the common men asked legitimate questions where did this deadly virus come from in what laboratories was it created and who is behind the pandemic we will try to answer them as objectively as possible the first country where the novel coronavirus was detected and that actively began to stop its spread was china when residents of the city of wuhan began to get infected and die the chinese authorities warned the global community about the danger and started its fullon battle against the virus many nations in the world immediately offered to help china and quickly began working on the cure for covid19 but what did the current us administration do in the wake of the outbreak some us media outlets started accusing china of unleashing the virus a number of articles followed pointing to china as the origin of the virus the author was left with the impression that either these journalists had witnessed its creation or they had been carefully instructed as to what to write a seafood market in wuhan was also mentioned as the source of the virus there were also stories suggesting that the unexpected appearance of the novel coronavirus hinted at it being manmade and that people could have used the theory the virus had come from animals to hide the true nature of its origins people who think they are intelligent and astute know for sure that only thieves and fraudsters make the biggest noise as they flee from those who they have stolen from or deceived and this is exactly what some us conspiracy theorists did out of sheer stupidity as they do not care about being objective and instead only strive for publicity and wider reach then in the authors opinion more serious analytical articles were published insinuating that the new virus was created by biologists from the military and originated in us laboratories in short they said that as a result of experiments the coronavirus genome appeared to contain hiv viruslike insertions according to the biologists responsible for the research the virus was not a product of evolution or mutation even theoretically speaking hence they concluded it could have been manmade dr eric feiglding also addressed this issue by posting i am absolutely not saying its bioengineering nor am i supporting any conspiracy theories with no evidence im simply saying scientists need to do more research get more data and finding the origin of the virus is an important research priority a professor of molecular biology in new delhis jawaharlal nehru university anand ranganathan and his colleagues published a preprint which has not been peerreviewed as yet about their research on the novel coronavirus 2019ncov they discovered a possible link between it and other similar known coronaviruses circulating in animals such as bats and snakes and found hiv viruslike insertions in 2019ncov no other wellstudied coronaviruses have such a structure hence their research hints at the possibility that the virus was designed and could be used to wage biological warfare in light of these recent developments it seems apt to remind our readers that a fierce takenoprisoners type of trade war is currently ongoing between the united states and china and in the midst of this confrontation as if by a wave of a magic wand the coronavirus outbreak started in the prc which has already caused enormous damage to the chinese economy and considerably weakened beijings bargaining position at the negotiating table even before the coronavirus pandemic many experts reported that recently washington in contravention of international law was actively developing biological weapons in its numerous laboratories located in the united states as well as abroad apparently there are more than 200 us biological laboratories worldwide in azerbaijan armenia georgia kazakhstan moldova uzbekistan and ukraine incidentally the author has come across articles published by ukrainian media outlets claiming that local authorities have no oversight of such facilities it seems that the situation in a number of other countries where us biolabs are located is similar dtra the defense threat reduction agency which collaborates with the richard lugar center for public health research in georgia is suspected of involvement in an incident that occurred in chechnya in spring 2017 locals reported seeing a drone that appeared to be spreading a white powder near russias border with georgia ethnic bioweapons biogenetic weapons is a type of theoretical bioweapon that aims to harm only or primarily people of specific ethnicities or genotypes although there have never been any reports confirming that research on such weapons exists documents that the author has come across show that the united states is gathering information about certain ethnic groups first and foremost russians and the chinese after all washington has labelled russia and china as its main rivals recently the author believes that the us air force has been collecting russian rna ribonucleic acid and sinus tissue samples from a federal initiative apparently information about this can be found in the federal procurement data system according to article 8 of the rome statute of the international criminal court biological experiments are deemed as war crimes however the united states is not a member of the court and has a tendency to evade responsibility for war crimes from the authors perspective there is a hidden motive behind the coronavirus pandemic and as some have already guessed it is not the great plague of the xxi century but a highly contagious disease that appeared at just the right time in other words the pandemic is part of a farreaching disinformation campaign aimed at creating panic and chaos according to chinese conspiracy theories the virus appeared in wuhan during the military world games which us and british servicemen took part in the author believes that there were many agents from the cia and mi6 who could have released the coronavirus at the time thus putting everyones lives at risk incidentally the british could have played an important role in this mission as they have already gained similar experience by spreading biological agents from the porton down science park near the city of salisbury the poisoning of sergei skripal and his daughter yulia lends further credence to the authors theory as they managed to survive the ordeal there are over 400000 confirmed covid19 cases globally and millions more are worried about the pandemic what is curious to the author is that not only are the common men in a panic but so are authorities and officials who are preparing to take unprecedented quarantine measures in russia china iran and other nations that are known to choose their own path the information war has served as a catalyst to the crisis that could have been smaller in scale but thanks to manipulation of mass consciousness this is no longer the case the author thinks that the current disinformation campaign accompanying the coronavirus pandemic is the beginning of the heist of the century as a result of this con assets and savings of many nations companies and individuals will end up in the hands of the current oligarchy more specifically hundreds of the richest and most powerful families the substantial portion of global wealth they already own will only increase as the rich always want more from the authors point of view the united states is accustomed to robbing other countries and people of their wealth and their allies are no exception take italy for example", + "https://journal-neo.org/", + "FAKE", + 0.11658200861069715, + 1259 + ], + [ + "5G Will Enable Nightmare Surveillance Grid That Humans Won’t Be Able To Opt Out Of", + "could dissidents potentially be electronically blacklisted and denied access to cashless payment systems and transit systems as if they were a banned web page in the internet of thingsa sobering reality has emerged since this report was published the infrastructure for this system of control has been built\nthe 5g network will enable the rollout of a vast command and control grid that will monitor people places and things wirelessly in realtime humans will not have the ability to opt out and live a normal lifethe internet of things iot infrastructure will be organized by the 5g network trillions of objects made smart by embedded computer chips will be alive in the gridin 2012 cia director david petraeus said that the technology will be transformational particularly to their effect on clandestine tradecraft petraeus explaineditems of interest will be located identified monitored and remotely controlled through technologies such as radiofrequency identification sensor networks tiny embedded servers and energy harvesters all connected to the nextgeneration internet using abundant lowcost and highpower computing\nthe uk ministry of defense said in a 2010 report that a vast surveillance network would overtake the planetthe virtual networks will consist of communications servers linking individuals and objects many of which will be networked through individual internet protocol ip addressesultimately as stated in the paper it may become difficult to turn the outside world off and even amongst those who make an explicit lifestyle choice to remain detached choosing to be disconnected may be considered suspicious behaviouras coronavirus accelerates trends toward automation through robotics and artificial intelligencerapid adoption of 5g can be expected as wellthe monumental shift to this antihuman system will not happen without resistance", + "https://www.activistpost.com/", + "FAKE", + 0.031517556517556514, + 278 + ], + [ + "The coronavirus outbreak is not actually caused by a virus, but by 5G technology", + "the chinese were all given mandatory vaccines last fall the vaccine contained replicating digitized controllable rna which were activated by 60ghz mm 5g waves that were just turned on in wuhan as well as all other countries using 60ghz 5g with the smart dust that everyone on the globe has been inhaling through chemtrails thats why when they say someone is cured the virus can be digitally reactivated at any time and the person can literally drop dead the diamond prince cruise was specifically equiped with 60ghz 5g its basically remote assassination americans are currently breathing in this smart dust through chemtrails think of it like this add the combination of vaccines chemtrails smart dust and 5g and your body becomes internally digitized and can be remotely controlled a persons organ functions can be stopped remotely if one is deemed noncompliant wuhan was a test run for id2020 the elite call this 60ghz mm 5g wave the v wave virus to mock us trump has created a space force in part to combat this weaponized technology we need to vehemently reject the attempted mandatory vaccine issue because our lives depend on it", + "Facebook", + "FAKE", + 0.0013736263736263687, + 192 + ], + [ + "Why is the World Health Organization engaged in bioweapons research?", + "in a recent interview with infowars owen shroyer dr francis boyle a professor of international law at the university of illinois college of law talked about novel coronavirus the biosafety level 4 laboratory bsl4 in wuhan china where it appears to have originated and the world health organizations who questionable involvement in bioweapons researchits the latter topic thats of particular interest for this article as the who is supposed to be an agency that responds to global health crises not creates them but it would seem as though the who not only knew in advance that 2019ncov was created in a lab but may have also been involved in its creation in the first placeif this is true it would constitute a serious crime against humanity not to mention a total violation of the geneva convention but thats what were up against here as boyle warns that the who has been knowingly complicit in unleashing whats shaping up to be one of the worst global pandemics in decades\nthe chinese government has been lying about it from the getgo covering it up just like they did on sars boyle stated during the interview which you can watch below and at brighteoncom the who is in on it you cant believe anything the who is telling you because this is a who special designated research lab the who is up to its eyeballs in biological warfare researchin other words the bsl4 lab in wuhan where many now suspect novel coronavirus originated was actually designated for such purposes by the who itself and whats worse there are a number of bsl4 labs here in america as well which is why boyle drafted the us domestic implementing legislation for the biological weapons convention known as the biological weapons antiterrorism act of 1989 which was unanimously approved by both houses of congress and signed into law by the late president george hw bushas for president trumps current handling of the crisis or lack thereof boyle blames those surrounding trump for not giving him the full scoop about whats going on in boyles view there are evil factions here on our soil that just like in communist china are trying to cover up the truth about what really happening\ni dont believe president trump is getting proper scientific advice about how dangerous this really is and that it is an offensive biological warfare weapon boyle stated during the interview basically he has surrounding him all these scientists who have been up to their eyeballs in this dirty biological warfare work here in the united statesso i have no idea what theyre telling president trump but i suspect theyre spinning it to protect their own rear ends here in my opinion every bsl4 laboratory here in america should be shut down immediatelyboyle also discussed a report put out by the greatgameindia journal that exposes novel coronavirus as a chinese biowarfare agent and not some random disease supposedly being spread by snakes and batson biowarfare programs they want to cover up they always blame it on bats boyle contends you know bats have been around forever so give me a breakfrancis boyles contentions about novel coronavirus being a chinese bioweapon constitute synthetic news in the eyes of big tech youll want to watch the entire interview with boyle because its a real eyeopener and something you wont find anywhere in the mainstream media thats because any information that even remotely suggests foul play with this whole saga has been deemed synthetic news by google twitter facebook and the rest of big tech along with communist china which wants to be fully in charge of the narrativetheres an obvious coverup going on with this whole thing which mike adams the health ranger also discussed during a recent episode of the health ranger report which you can listen to below you can also access this video directly at brighteoncomkeep in mind that boyle isnt the only one talking about this senator tom cotton of arkansas has also publicly warned that the official narrative surrounding coronavirus is questionable at best at worst its an absolute farce thats keeping everyone in the dark about how a viral pandemic has been unleashed not by wildlife but by evil men and women who develop and test biological weapons for a livingas one epidemiologist said that virus went into the seafood market before it came out of the seafood market we still dont know where it originated sen cotton is quoted as saying\ni would note that wuhan also has chinas only biosafety level four super laboratory that works with the worlds most deadly pathogens to include yes coronavirusto keep up with the latest coronavirus news be sure to check out pandemicnews", + "https://www.newstarget.com", + "FAKE", + -0.03207780379911525, + 788 + ], + [ + "BILL GATES, VACCINATIONS, MICROCHIPS, AND PATENT 060606", + "there are many conspiracy theories some believe that reptilians are running the us government and others believe that cocacola uses the blood of christian babies to produce its soft drinks there are people who have seen chemtrails and others who advocate wearing tinfoil hats when watching television to protect from destructive brainwashing waves often the prophecies of scripture are interpreted as a commentary on some technological discovery or event but there are also rational facts that it doesnt make sense to deny because they are documented these include the existence of the bilderberg club the cias mkultra project and george soros funding of dubious political activities in a number of countriesthe case described below relates to an officially documented fact although there is something rather biblical about it patent wo2020060606 was registered on 26 march 2020 the patent application was filed by microsoft technology licensing llc headed by bill gates back on 20 june 2019 and on 22 april 2020 the patent was granted international status the title of the patent is cryptocurrency system using body activity dataso what is this invention that the people at microsoft decided to patent the abstract of the patent application online states human body activity associated with a task provided to a user may be used in a mining process of a cryptocurrency system a server may provide a task to a device of a user which is communicatively coupled to the server a sensor communicatively coupled to or comprised in the device of the user may sense body activity of the user body activity data may be generated based on the sensed body activity of the user the cryptocurrency system communicatively coupled to the device of the user may verify if the body activity data satisfies one or more conditions set by the cryptocurrency system and award cryptocurrency to the user whose body activity data is verified\nin other words a chip will be inserted into the body that monitors a persons daily physical activity in return for cryptocurrency if conditions are met then the person receives certain bonuses that can be spent on somethinga detailed description of the invention provides 28 concepts for how the device could be used\nit also provides a list of countries for which the invention is intended essentially this is all the members of the united nations and a few regional organisations specified separately the european patent office the eurasian patent organization and two african intellectual property protection organisations\nalthough inserting microchips into the body is nothing new the masonic youth child identification program has been in operation in the us for a while and people calling themselves cyborgs exhibit various implants microsofts involvement is interesting and why has the patent been given the code number 060606 is it a coincidence or the deliberate choice of what is referred to in the book of revelation as the number of the beast\nill gates name is constantly being mentioned these days in connection with his interests in pharmaceutical companies vaccinations and who funding although the globalist media try to highlight bill gates as a great philanthropist and protect him from attacks and criticism in every way possible it is unlikely theyll be able to conceal a whole web of connectionsbill gates company is involved in another project the digital id project id2020 alliance on the websites homepage it says that the project has been addressing the issue of digital rights since 2016 in 2018 the alliance worked with the united nations high commissioner for refugees besides microsoft the alliance includes the rockefeller foundation the design studio ideoorg with offices in san francisco and new york the consulting firm accenture and gavi the vaccine alliance a company that actively promotes and distributes various vaccines around the world the secretariat for the alliance is based in new yorkit is telling that gavi the vaccine alliance mostly covers countries in africa and asia in europe the organisation is only active in albania croatia moldova and ukraine and in the caucasus in georgia armenia and azerbaijan gavi the vaccine alliance also has links with the bill melinda gates foundation the world bank group the world health organization and unicef these are all listed as founding partnerssince february 2020 gavi the vaccine alliance has been focusing on the coronavirus pandemic the organisations ceo is dr seth berkley although the headquarters of gavi the vaccine alliance are in geneva berkley himself an epidemiologist by training is from new york since the late 1980s he has spent eight years working at the rockefeller foundation and is a fellow at the council on foreign relations he is also an advisory council member of the new yorkbased acumen fundso yet another link has been found theological interpretations of the patent number are probably best left to experts on religion but it is clear that there are strong links between organisations and companies like the rockefeller foundation microsoft the pharmaceutical lobby and the world bank group not to mention secondary service providers they are trying to play the role of a supranational government by constantly focusing on the fact that these days national governments cannot cope with epidemics illnesses famines etc singlehanded but as china has shown they can the west cannot and does not want to acknowledge this however largely because it does not want to share power so the globalist media will continue their information campaigns where the blame will be placed anywhere but on the west it is telling that right now as additional information on the coronavirus has started to emerge false stories on chinas role in the epidemic have been stepped up and statistics manipulated", + "https://www.geopolitica.ru/", + "FAKE", + 0.06677764659582841, + 942 + ], + [ + "Chinese traditional medicine, such ShuFengJieDu Capsules and Lianhuaqingwen Capsule, could be the drug treatment options for 2019-nCoV", + "as of january 22 2020 a total of 571 cases of the 2019new coronavirus 2019ncov have been reported in 25 provinces districts and cities in china at present there is no vaccine or antiviral treatment for human and animal coronavirus so that identifying the drug treatment options as soon as possible is critical for the response to the 2019ncov outbreak three general methods which include existing broadspectrum antiviral drugs using standard assays screening of a chemical library containing many existing compounds or databases and the redevelopment of new specific drugs based on the genome and biophysical understanding of individual coronaviruses are used to discover the potential antiviral treatment of human pathogen coronavirus lopinavir ritonavir nucleoside analogues neuraminidase inhibitors remdesivir peptide ek1 arbidol rna synthesis inhibitors such as tdf 3tc antiinflammatory drugs such as hormones and other molecules chinese traditional medicine such shufengjiedu capsules and lianhuaqingwen capsule could be the drug treatment options for 2019ncov however the efficacy and safety of these drugs for 2019 ncov still need to be further confirmed by clinical experiments", + "https://web.archive.org/", + "FAKE", + 0.04577922077922078, + 174 + ], + [ + "Successful High-Dose Vitamin C Treatment of Patients with Serious and Critical COVID-19 Infection", + "a group of medical doctors healthcare providers and scientists met online march 17 2020 to discuss the use of high dose intravenous vitamin c ivc in the treatment of moderate to severe cases of covid19 patients the key guest was dr enqian mao chief of emergency medicine department at ruijin hospital a major hospital in shanghai affiliated with the joatong university college of medicine dr mao is also a member of the senior expert team at the shanghai public health center where all covid19 patients have been treated in addition dr mao coauthored the shanghhai guidelines for the treatment of covid19 infection an official document endorsed by the shanghai medical association and the shanghai city governmentdr mao has been using highdose dose ivc to treat patients with acute pancreatitis sepsis surgical wound healing and other medical conditions for over 10 years when covid19 broke out he and other experts thought of vitamin c and recommended ivc for the treatment of moderate to severe cases of covid19 patients the recommendation was accepted early in the epidemic by the shanghai expert team all serious or critically ill covid19 patients in the shanghai area were treated in shanghai public health center for a total of 358 covid19 patients as of march 17th 2020dr mao stated that his group treated 50 cases of moderate to severe cases of covid19 infection with high dose ivc the ivc dosing was in the range of 10000 mg 20000 mg a day for 710 days with 10000 mg for moderate cases and 20000 for more severe cases determined by pulmonary status mostly the oxygenation index and coagulation status all patients who received ivc improved and there was no mortality compared to the average of a 30day hospital stay for all covid19 patients those patients who received high dose ivc had a hospital stay about 35 days shorter than the overall patients dr mao discussed one severe case in particular who was deteriorating rapidly he gave a bolus of 50000 mg ivc over a period of 4 hours the patients pulmonary oxygenation index status stabilized and improved as the critical care team watched in real time there were no side effects reported from any of the cases treated with high dose ivc\namong the international experts who attended todays video conference were dr atsuo yanagisawa formerly professor of medicine at the kyorin university tokyo japan and the president of the international society for orthomolecular medicine dr jun matsuyama of japan dr michael j gonzalez professor at university of puerto rico medical sciences dr jean drisko professor of medicine and dr qi chen professor of pharmacology both at the kansas university medical school dr alpha berry fowler professor of pulmonary and critical care medicine virginia commonwealth university dr maurice beer and asa kitfield both from nutridrip and integrative medical ny new york city dr hong zhang of beijing william t penberthy phd of cme scribe florida ilyes baghli md president of the algerian society of nutrition and orthomolecular medicine sanmo drs mignonne mary and charles mary jr of the remedy room new orleans dr selvam rengasamy president of sahamm malaysia i richard cheng md phd of cheng integrative health center of south carolina and senior advisor to shenzhen medical association and shenzhen baoan central hospital coordinated this conferencealbeit a brief meeting of less than 45 minutes due to dr maos limited time availability the audience thanked dr mao for his time and sharing and wished to keep the communication channel open and also able to talk to other clinicians working at the front line against covid19in a separate meeting i had the honor to talk to sheng wang md phd professor of critical care medicine of shanghai 10th hospital tongji university college of medicine at shanghai china who also served at the senior clinical expert team of the shanghai covid19 control and prevention team there are three lessons that we learned about this covid19 infection dr wang saidearly and highdose ivc is quite helpful in helping covid19 patients the data is still being finalized and the formal papers will be submitted for publication as soon as they are completecovid19 patients appear to have a high rate of hypercoagulability among the severe cases 40 severe cases showed hypercoagulability whereas the number among the mild to moderate cases were 1520 heparin was used among those with coagulation issuesthe third important lesson learned is the importance for the healthcare team of gearing up to wear protective clothing at the earliest opportunity for intubation and other emergency rescue measures we found that if we waited until a patient developed the fullblown signs for intubation then got ready to intubate we would lose the precious minutes so the treatment team should lower the threshold for intubation to allow proper time 15 minutes or so for the team to gear up this critical 1530 minutes could make a difference in the outcomealso both drs mao and wang confirmed that there are other medical teams in other parts of the country who have been using high dose ivc treating covid19 patientsfor additional reporting and information on chinas successful use of intravenous vitamin c against covid19", + "http://orthomolecular.org/", + "FAKE", + 0.06101174560733384, + 858 + ], + [ + "Sooner or Later, Americans Will Have to Choose Between Freedom and a Micro-Chipped Vaccine", + "presently billions of people around the world are living under mandatory stayathome orders purportedly to help stop the spread of the coronavirus aside from the question as to whether quarantine is the most effective method for fighting this particular pandemic what exactly will be required from us before any semblance of normalcy returnsone possible requirement aside from being discouraged from ever shaking hands again is the mandatory participation in a global vaccine program underwritten by the bill and melinda gates foundation big pharma and an assortment of other people who supposedly have the best interest of the global citizenry in mind should we be concerned the road to mandatory vaccinations last week during an interview with the journal podcast dr anthony fauci who has become the face of the trump administrations coronavirus task force said something that should have made a lot of people sit up and take notice especially those people whose job it is to sit up and take notice namely the media\nkate linebaugh asked fauci if it were advisable that she give her grandmother who has vulnerable respiratory systems a hug at the peak of the coronavirus pandemic to which fauci replied in the negative before uttering something revealingwhen the coronavirus rate of infection goes down and gets down to almost zero there is an antibody test that will be widely distributed pretty soon in the next few weeks that will allow you to know whether or not youve actually been infectedhe added i can imagine a situation where you take an antibody test and you are absolutely positive that you were infected and you did well then you could hug the heck out of your grandmother and not worry about itlet that comment sink in for a momentif it is deemed safe for those antibodiespositive people to hug the heck out their grandmas after proving their immunity credentials then why on earth is it also not permissible for these same people to be at their jobs places of worship or at least the corner pub enjoying some semblance of happy hourto repeat if you have already been exposed to the coronavirus and now have natural immunity to the disease it is estimated that over 80 of people become exposed to the disease without ever knowing it then you are no longer a risk factor to the most vulnerable members of society namely the sick and elderly thus by practicing a severe form of social distancing as many countries around the world are now mandating the ability of the human body to acquire the antibodies which eventually leads to herd immunity in the overall population is being deniedallowing herd immunity to occur would have prevented 1 the virus from mutating into a far more vicious beast of burden due to lack of available hosts 2 the lengthy life span of the virus although the curve may flatten earlier without herd immunity the disease may easily return and worse the second time and 3 a widescale vaccination program down the roadfauci went on to say that only after the infection rate gets down to almost zero antibody tests will be given to determine who has been infected and who hasnt but isnt that putting the proverbial cart before the horse the tests should have been given in the beginning when the outbreak made landfall instead we are faced with a situation where millions of people who no longer pose a risk either to themselves and others are now in a senseless lockdown that threatens to destabilize the global economy with another great depression and with potentially higher mortality rates than we are witnessing with the coronavirus\na case for following the herdwith global hysteria over the coronavirus intensifying a number of experts have come out to question the logic of entire nations battening down the hatches against the coronavirus one of those individuals is dr knut m wittkowski head of the department of biostatistics epidemiology at rockefeller university\nas with every respiratory disease we should protect the elderly and the fragile dr wittkowski acknowledged with common sense available to anyone he then challenged the actions being taken to shield children from the disease on the other hand children do very well with these diseases and are evolutionarily designed to be exposed to all sorts of viruseswhen people are allowed to go about their daily lives in a community setting he argued the elderly could eventually sooner rather than later come into contact with the rest of the population in about four weeks because the virus at this point would be vanquishedwith all respiratory diseases the only thing that stops the disease is herd immunity wittkowski emphasizedin addition to questioning the shortcomings of social distancing protocols there is also the problem of knowing how many people in the population have already been exposed to the virus as compared to the number who have died this is known in the medical community as the measured case fatality rate which is simply the total number of new deaths due to disease divided by the total number of patients with disease although it is a simple mathematical equation to perform it has never been measured due to lack of datasince no official study has been done to know how many people in the population have already had the disease it is impossible to determine the lethality of the coronavirus thus the idea of shutting down a wide swath of the economy over a death rate that we do not know could be best described as in the words of jay bhattacharya md phd who is both a professor of medicine at stanford university as well as a senior fellow at the stanford institute for economic policy research astoundingpeople plug the worstcase into their models they project say 24 million deaths newspapers pick up the 24 million deaths politicians have to respond and the scientific basis for that projectionis nonexistent bhattacharya said in an interview with the hoover institutiondespite so much uncertainty with regards to the real mortality rate us medical spokespersons are uttering incredibly irresponsible statements that only serve to instill a sense of fear throughout society dr fauci for example said in the course of his above interview that i dont think we should ever shake hands ever again to be honest with you meanwhile world health organization who special envoy david nabarro told the bbc that some form of facial protection im sure is going to become the normnow judging how the medical experts are preventing entire nations from acquiring herd immunity together with the medias refusal to consider the merits of hydroxychloroquine this leads to what should have been the last resort a vaccine program which could very well turn out to be mandatory a requirement forced on individuals before they are able to participate in any sort of public events againthis much was suggested by none other than the worlds premier vaccine pusher bill gates who said in a recent interview that any sort of mass gatherings may not come back at all without a widescale vaccination program some would call that a form of blackmail used against a desperate people who would do just about anything right now to get back to life as they once knew it those days appear far in the future just this week the uk announced that people will have to live with some restrictions until a vaccine is developedto be clear few people would question that vaccines have been an inherent good for civilization they have helped eradicate some of the worst diseases mankind has ever faced like smallpox and polio but today things are not so straightforward as simply eradicating a pandemic presently there is a major push being made with bill gates at the vanguard of those efforts to introduce a vaccine that contains nanotechnology to mark and surveil those injected as just one example consider the work being carried out by id2020 a san franciscobased biometric company that counts microsoft as one of its founding members it recently announced it was exploring identification technologies for infants that is based on infant immunization in other words tracking devices embedded inside of vaccineswhile the world would welcome a vaccine that eradicates the coronavirus many would find it unacceptable to be forced to have a vaccine that contains any sort of surveillance technology at this point in our battle against a pandemic which has created millions of newly unemployed the last thing people need in their lives right now is yet another source of worry lets develop a vaccine against coronavirus mr gates but please hold the tracking addons", + "https://www.strategic-culture.org/", + "FAKE", + 0.07503915461232535, + 1439 + ], + [ + "Hospital-based Intravenous Vitamin C Treatment for Coronavirus and Related Illnesses", + "no matter which hospital a coronavirus patient may seek help from the question is will they be able to leave walking out the front door or end up being wheeled out the basement backdoor prompt administration of intravenous vitamin c in high doses can make the differenceabundant clinical evidence confirms vitamin cs effectiveness when used in sufficient quantityphysicians have demonstrated the powerful antiviral action of vitamin c for decadesspecific instructions for intravenous vitamin c the japanese college of intravenous therapy jcit recommends intravenous vitamin c ivc 12525g 12500 25000 mg for acute viral infections influenza herpes zoster common cold rubella mumps etc and virus mimetic infections idiopathic sudden hearing loss bells palsy in adults ivc 125g is given for early stage illness with mild symptoms and ivc 25g for moderate to severe symptoms ivc is usually administered once or twice a day for 25 continuous days along with or without general treatments for viral infectionspatients with acute viral infections show a depletion of vitamin c and increasing free radicals and cellular dysfunction such patients should be treated with vitamin c oral or iv for neutralizing free radicals throughout the body and inside cells maintaining physiological functions and enhancing natural healing if patients progress to sepsis vitamin c should be added intravenously as soon as possible along with conventional therapy for sepsistoronto star 30 may 2003 fred hui md believes that administering vitamin c intravenously is a treatment worth trying and hed like to see people admitted to hospital for the pneumonialike virus treated with the vitamin intravenously while also receiving the usual drugs for sars i appeal to hospitals to try this for people who already have sars says hui members of the public would also do well to build up their levels of vitamin c he says adding that there is nothing to lose in trying it this is one of the most harmless substances there is hui states there used to be concern about kidney stones but that was theoretical it was never borne out in an actual case hui says he has found intravenous vitamin c effective in his medical practice with patients who have viral illnesses\nadditional administration details are readily obtained from a free download of the complete riordan clinic intravenous vitamin c protocol although initially prepared for cancer patients the protocol has found widespread application for many other diseases particularly viral illnessesresearch and experience has shown that a therapeutic goal of reaching a peakplasma concentration of 20 mm 350 400 mgdl is most efficacious no increased toxicity for posoxidant ivc plasma vitamin c levels up to 780 mgdl has been observedthe administering physician begins with a series of three consecutive ivc infusions at the 15 25 and 50 gram dosages followed by post ivc plasma vitamin c levels in order to determine the oxidative burden for that patient so that subsequent ivcs can be optimally dosedthere are four pages of supporting referencesgiven the rapid rate of success of intravenous vitamin c in viral diseases i strongly believe it would be my first recommendation in the management of corona virus infectionspuerto rico it is of great importance for all doctors to be informed about intravenous vitamin c when a patient is already in hospital severely ill this would be the best solution to help save her or his lifewinning the hospital game when faced with hospitalization the most powerful person in the most entire hospital system is the patient however in most cases the system works on the assumption that the patient will not claim that power if on your way in you signed the hospitals legal consent form you can unsign it you can revoke your permission just because somebody has permission to do one thing doesnt mean that they have the permission to do everything theres no such thing as a situation that you cannot reverse you can change your mind about your own personal healthcare it concerns your very life the rights of the patient override the rules of any institutionif the patient doesnt know that or if theyre not conscious or if they just dont have the moxie to do it the next most powerful person is the spouse the spouse has enormous influence and can do almost as much as the patient if the patient is incapacitated the spouse can and must do all the more if there is no spouse present the next most powerful people in the system are the children of the patientwhen you go to the hospital bring along a big red pen and cross out anything that you dont like in the hospitals permission form and before you sign it add anything you want write out i want intravenous vitamin c 25 grams per day until i state otherwise and should they say were not going to admit you you reply please put it in writing that you refuse to admit me what do you think their lawyers are going to do with that they have to admit you its a game and you can win it but you cant win it if you dont know the rules and basically they dont tell you the rulesthis is deadly serious medical mistakes are now the third leading cause of death in the us yes medical errors kill over 400000 americans every year thats 1100 each day every daythere are mistakes of commission and mistakes of omission failure to provide intravenous vitamin c is literally a grave omission do not allow yourself or your loved ones to be deprived of a simple easy to prepare and administer iv of vitamin cif a family member of mine died due to coronavirus infection after a doctor refused to use intravenous vitamin c i would challenge his or her treatment in a court of law i would winit can be done vitamin ivs can be arranged in virtually any hospital anywhere in the world attorney and cardiologist thomas e levys very relevant presentation is free access both the letter and the intent of new usa legislation now make this easier for youthe new federal right to try act provides patients suffering from lifethreatening diseases or conditions the right to use investigational drugs it amends the food drug and cosmetic act to exempt investigational drugs provided to patients who have exhausted approved treatment options and are unable to participate in a clinical trial involving the drug advocates of right to try laws have sought to accelerate access to new drugs for terminally ill patients who are running out of options arguably the law does not represent a radical change in this and several other states however because in 2016 california had already joined the majority of other states in adopting a law enabling physicians to help terminally ill patients pursue investigational therapies without fear of medical board or state civil or criminal liability the new right to try law should give physicians as well as drug manufacturers some added comfort about fda enforcement in these cases\ntherefore in regards to intravenous vitamin c do not accept stories that the hospital cant or the doctor cant or that the state wont allow it if you hear any of this malarkey please send the orthomolecular medicine news service the text of the policy or the law that says so in the meantime take the reins and get vitamin c in the veins", + "http://orthomolecular.org/", + "FAKE", + 0.13460412953060014, + 1229 + ], + [ + "Is It Time to Launch an Investigation Into the Bill & Melinda Gates Foundation for Possible ‘Crimes Against Humanity", + "occasionally humanity is confronted with a series of events oftentimes accompanied with tremendous human suffering that appear to be so intricately linked and coordinated that to explain them as mere coincidence or conspiracy theory is not only reckless but potentially criminal in itselfthis month a petition was drafted for the federal government to call on congress to investigate the bill melinda gates foundation for medical malpractice crimes against humanityas we look at events surrounding the covid19 pandemic the appeal reads various questions remain unansweredon oct 18th of 2019 only weeks prior to ground zero being declared in wuhan china two major events took place one is event 201 the other is the military world games held in none other than wuhan since then a worldwide push for vaccines biometric tracking has been initiatedalready the petition has received over 450000 signatures far surpassing the 100000 need for the president to take action on the issuealthough many people may have heard about event 201 they may not be familiar with all of its details thus it is crucial to examine what exactly took place at the event to see if there are any grounds for this public call for an investigationevent 201on october 18 2019 the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation hosted event 201 an exercise that entailed a simulated outbreak of a coronavirus transmitted from bats to people that eventually becomestransmissible from person to person leading to a severe pandemic sound familiar well the similarities between the simulated event and our present grim reality do not end thereduring the threeandahalfhour event 15 representatives from the world of business government and public health were tasked with battling against the fictional outbreak dubbed caps which goes on to kill 65 million people worldwide over a period of 18 months here is what we are told about this fictional bug the disease is transmissible by people with mild symptoms there is no possibility of a vaccine being available in the first year there is an antiviral drug that can help the sick but not significantly limit spread of the disease again those are nearly the exact set of real circumstances the global community is presently confronting with covis19 but wait it gets betterthe exercise even had its very own fake news channel dubbed gnn reporting on the minutebyminute battle against the fictitious outbreak an asianlooking news anchor chen huang provides the following details on the pandemic keep in mind all of this is being acted out 2 months before the real virus makes landfall\npublic health agencies have issued travel advisories while some countries have banned travel from the worst affected areas huang reported with a gleam in her eye as a result the travel industry is taking a huge hit travel bookings are down 45 and many flights have been cancelled a ripple effect is racing through the service sector she said a comment that probably made the cryptocurrency community take note governments that rely on travel and tourism as a large part of their economies are being hit particularly hardif huang only knew the half of itnext the video returns to the closed door discussion group as an ominous largecap headline appears on the screen that reads travel and trade restrictions are having profound economic consequencestom inglesby from john hopkins university seemed to be staring into a crystal ball when he asked how should national leaders businesses and international organizations balance the risk of worsening disease that will be caused by the continual movement of people around the world against the risk of profound economic consequence of travel and trade bansmartin knuchel crisis manager from lufthansa airlines was no less prophetic using the very same terminology being employed today with regards to essential and nonessential businesseswhat is essential or nonessential travel we have to clarify this knuchel stated otherwise if we go down to 20 bookings over a short period the company will run down thats a factcurrently lufthansa has been forced to idle more than 90 of its fleet since the real coronavirus outbreak began in late december 2019\nand then there was christopher elias the smoothtalking head of the global development division of the bill and melinda gates foundation discussing the need to secure the supply chains amid the pandemictheres a whole complex set of issues in a highly interdependent world on supply chains that are just in time elias warned we need to think about how much flex there is in that just in time supply chain system and make sure it keeps runningwell wouldnt you know it just this week tyson foods one of the nations biggest meat processors took out a full page ad in the new york times in which it warned the food supply chain is breakingas pork beef and chicken plants are being forced to closemillions of pounds of meat will disappear from the supply chain john tyson chairman of the board of tyson foods wrote as a result there will be limited supply of our products available in grocery stores until we are able to reopen our facilities that are currently closedbut weve only just begun to enter the twilight zoneat this point the exercise is interrupted once again by chen huang of gnn for some commentary from david gamble a disagreeable economist with an unfortunate name who represents the world of finance and dr juan perez a more photogenic spokesperson for the world of medicinein this fake interview gamble opens by asking what exactly are the risks and benefits of slowing air travel of staying home from work closing schools disrupting supply chainsand interfering with our reliable channels of communication and newswhen this is all over some families some cities will have suffered more from our intervention than from caps he predicts again with incredible foresight of things to comein response to gamble dr perez says our response should aim to protect every life we can a statement few could disagree with when gamble retorts by suggesting that those lofty goals must be accomplished by protecting jobs and critical industries perez responds with this astounding remark as a physician i am comfortable saying that our health response to caps cannot afford to wait for an incredibly complex debate abouthistorys most expensive economic bailoutincredibly the actor physician parrots the very same stance that has been taken by governments around the world lets not endanger a single life but rather keep everyone at home as we shut down the bulk of the global economy which may or may not be rescued by a bailout the scripted comment by the fake doctor makes it seem as though the health of the global economy has no connection to the health and wellbeing of people the world over nothing could be further removed from the truthat this point it needs to be asked what are the chances that an exercise simulating the outbreak of a global pandemic not only happens just weeks before the real event but predicts its main features which include the shutdown of businesses and schools worldwide the loss of supply chains as well as the most expensive bailout in history among other things at what point does the line separating fact from fiction truth from lies become so blurred that it demands a criminal investigationthe johns hopkins center for health security the host of the incredibly visionary exercise may have been entertaining similar questions when it released a statement on the shocking array of coincidences saying recently the center for health security has received questions about whether that pandemic exercise predicted the current novel coronavirus outbreak in china to be clear the center for health security and partners did not make a prediction during our tabletop exercise for the scenario we modeled a fictional coronavirus pandemic but we explicitly stated that it was not a predictionmilitary world games wuhan as it turned out on october 18 the very same day that event 201 was being carried out in new york city the military world games kicked off in wuhan china which was reportedly ground zero for the outbreak of covid19the 7th international military sports council cism military world games were hosted from oct 18 to 27 2019 in wuhan capital city of central chinas hubei province it was the first international military sporting competition to be held in china with nearly 10000 athletes from over 100 countries competing in 27 sports\nfollowing the outbreak of coronavirus in wuhan conspiracy theories popped up like mushrooms after a summer rain chinese newspapers began floating the idea that us athletes competing in the games had unleashed the deadly virus while in wuhan the theories point to two things the lackluster performance by the us athletes thus proving according to some chinese commentators they were not sent to wuhan for their physical prowess but rather for something more sinister second their living quarters were close to the huanan seafood market where the first cluster of covid19 was detected on dec 31 2019so what is the connection to bill gates who was certainly not participating in the wuhan military games to shield more nefarious actions on the surface absolutely nothing yet for a philanthropist whose name is connected to nearly every major pharmaceutical company and dozens of research groups connections are bound to be made that may mean nothing at the very least however they are worthy of attentionfor example how many people know that there is a patent for the coronavirus it is owned by the pirbright institute a biological research organization based in surrey england the institute is funded by the bill and melinda gates foundation its important to note however that the coronavirus is the generic name for a group of related rna viruses that cause diseases in mammals and birds in humans these viruses cause respiratory tract infections that even include some cases of the common cold then there are the more lethal strains like sars mers and covid19 for which the pirbright institute one of many organizations looking to develop a vaccine against covid19 does not hold a patentthe institute was granted a patent in 2018 which covers the development of an attenuated weakened form of the coronavirus that could potentially be used as a vaccine to prevent respiratory diseases in birds including ibv and other animals a representative from the pirbright institute told usa todayone more note on wuhan less than one month after event 201 and less than a month before the outbreak of covid19 bill gates appeared in the netflix series explained with a documentary entitled the next pandemic in it the microsoft cofounder warned that a pandemic could emerge from one of chinas many wet markets where shoppers can choose from a wide variety of live fish and animal productsin 2015 gates also did a ted talk where he warned that the next catastrophe would not come from missiles but rather microbesso if bill gates seems to have the best interests of the world at heart why is he so mistrustedwhy cant we trust billon march 13 bill gates announced he was stepping down from the board of microsoft corp the company he cofounded in 1975 to devote more time to philanthropysince then this technocrat in a wool sweater who seems to be trying to channel the trust and tenderness of a fred rogers regularly addresses prison planet from his mainstream media soapbox about how he is now devoted to making vaccines in large quantities and despite having neither scientific credentials nor an elected political post gates nevertheless has warned that mass gatherings may not come back at all without a vaccineapparently the timehonored biological function known as herd immunity which has worked fine for millennia against disease is now considered out of fashion is that because it costs absolutely nothing least of all in terms of our freedom and liberty but i digresshere is gates lecturing in the washington post on april 1st the countrys leaders need to be clear shutdown anywhere means shutdown everywhere until the case numbers start to go down across america which could take 10 weeks or more no one can continue business as usual or relax the shutdown any confusion about this point will only extend the economic pain raise the odds that the virus will return and cause more deathsneedless to say such nonprofessional advice is infuriating many americans as opportunistic officials reveal their authoritarian impulses unleashing a number of draconian lockdown orders from prohibiting the mowing of lawns to banning swimming at the beach to snitching on family friends and strangers for breaking with socialdistancing decorumso what do real doctors say about the coronavirus and the lockdown orders which threaten to trigger a global depression many are totally dumbfounded by the decision writing in the wall street journal dr eran bendavid and dr jay bhattacharya professors of medicine at standford university expressed strong reservations over the lockdown pointing to deeply flawed mortality projections rates for covid19fear of covid19 is based on its high estimated case fatality rate2 to 4 of people with confirmed covid19 have died according to the world health organization and others bendavid and bhattacharya explained in their article dated march 24 so if 100 million americans ultimately get the disease two million to four million could die we believe that estimate is deeply flawed the true fatality rate is the portion of those infected who die not the deaths from identified positive casesnot only does bill gates relentless push for a global vaccine against covid19 carry the scent of greed especially when it is considered how heavily invested he is in its development but the computer engineer turned medical expert seems overly enthusiastic over vaccines that carry biometric surveillance technologywhile many people would probably have little qualms about rolling up their sleeve for a vaccination that protects them from a deadly virus many would certainly question the addedon feature of tracking technology that would give the powersthatbe total control over every personnot only does gates support the creation of a national tracking system to tag the infected but microsoft is among the founding members of id2020 a san franciscobased biometric company that recently announced it was undertaking a new project that involves the exploration of multiple biometric identification technologies for infants that is based on infant immunization and only uses the most successful approachescan it get creepier than that unfortunately yes it cantwo weeks after bill gates left the board of microsoft the company received a patent for a cryptocurrency system body activity data although the details on the technology are truly shocking the patent number also had conspiracy theorists in an uproar wo2020060606 it didnt take much for internet sleuths not to mention bible enthusiasts to say this stood for world order 2020 666of all the millions of patent numbers that could have been used why this one as is the case with customized license plate numbers did gates personally request such a configuration that was bound to trigger fear and suspicion in the middle of a pandemic no lessalthough the cryptocurrency invention makes no specific mention of nanotechnology injected under the skin possibly together with a vaccine the opaque description doesnt rule it out either the cryptocurrency system communicatively coupled to the device of the user may verify if the body activity data satisfies one or more conditions set by the cryptocurrency system and award cryptocurrency to the user whose body activity data is verifiedjudging by this and other such activities on the part of the bill and melinda gates foundation it becomes easier to understand why so many people fear the very worst about their true goals whether that high level of distrust should translate into a federal investigation that is a question best left to the reader to decide", + "https://www.strategic-culture.org/", + "FAKE", + 0.05401550490326001, + 2640 + ], + [ + "EXCLUSIVE: Robert F Kennedy Jr. Drops Bombshells on Dr. Fauci For Medical Cover Ups and Fraud; Fauci “Poisoned an Entire Generation of Americans”", + "robert f kennedy jr revealed disturbing information about dr anthony faucis medical career in the government calling out the celebrated physician for a history of disturbing practices ranging from costly cover ups to outright fraud\n\nkennedy repeatedly slammed fauci on the thomas paine podcast on wednesday revealing disturbing information about faucis problematic career steering key medical policy for the united states kennedy described fauci as a workplace tyrant who has ruined careers of upstanding physicians and researchers in order to cover up scandals and costly medical research disasters at the national institute of allergy and infectious diseases where fauci has served as director since 1984 as part of the national institute of healthtony fauci didnt want the american public to know that he has poisoned an entire generation of americans kennedy said alleging fauci targeted a whistleblower who was trying to uncover the blood supply in the country was tainted with deadly strainskennedy said fauci ruined the physicians career and covered up the crucial research and that was just one of kennedys attacks against fauci there were more kennedy also targeted bill gates big pharma the media and more in this exclusive interview", + "https://truepundit.com/", + "FAKE", + -0.02187499999999999, + 193 + ], + [ + "REAL News about the Wuhan Virus", + "heres the truth behind the wuhan virusbill gates barack obama released a docuseries on netflix called pandemic in december right before the wuhan virus was discoveredthe docuseries pushed the need for the gates foundation to receive funding to carry on virus research to prevent the next pandemicbill gates funded the wuhan lab in china that released the wuhan virus and is already selling test kits coincidence bill gates was a member of chinas academy of sciences who built the lab and he was awarded their highest honorthe wuhan virus was originally developed by chinese scientists at the university of north carolina by nih grants approved by the obama administration in 2012 to study the 2003 sars coronavirus in a lab nih scientists developed a manmade version using bat dna thats what the communists unleashed ab scientists developed a manmade versionthe nih defunded the dangerous unc research because of the proven humantohuman transmission so the communist chinese scientists left unc and took their work to the newly built wuhan lab in 2017 funded by gates nih palsthe head of the harvard chemistry biology department charles lieber with ties to gates epstein was arrested for accepting bribes from the communists did epstein know what was comingwhat was charles liebers expertise he invented a virussized transistor that could enter a human cell without harming it and be controlled remotely not kidding the pirbright institute funded by bill gates owns the patent on coronavirus genetic sequencing they did simulation testing on a global pandemic in 2019the first case of wuhan virus was reported in china on november 17th communists didnt inform the cdc until january 11th who communist china said it wasnt spread by humans until january 21st cover up how does the wuhan virus spread and how does your body fight itbill gates barack obama docuseries marketed the need for a global universal vaccine to replace all other flu vaccines i believe it will be used to deliver a human chip via nanotechnology designed to be monitored and controlled by huaweis 5g network17000 americans in the us died of h1n1 flu from mexico under obama in 2009 many of them children because he waited 6 months to do anything never closed the border obama depleted americas critical medical supplies in 2009 and never restocked the media said nothing about the 61 million who were infected in obamas h1n1 crisis but is creating a huge panic for trump around us deaths from the wuhan virus to destroy the us economy before the election they tried to do the same thing with sars under bush in 2003know why the commies unleashed the swine flu virus in 2009 to infect 61 million kill 17000 to convince the us to pass obamacare thousands of people in the us have died from the common flu this year and the media says nothing about that but is creating a huge panic around us deaths from the wuhan virusdr drew a bad flu season is 80000 dead which should you be worried about influenza or corona its not a trick question what i have a problem with is the panic and the fact that businesses are getting destroyed and peoples lives are getting upended not by the virus but by the panic the panic must stop and the press they really need to be held accountable because they are hurting peopledozens out of the total us deaths from the wuhan virus have come from one nursing home in kirkland washington the home state of bill gates where it all startedhalf the staff at that nursing home were infected with wuhan virus they appear to be the carriers the nursing home draws employees from a large chinese population across the border in canada i believe gates placed carriers in vulnerable locations for the narrative and fundingother deaths around the country occurred in nursing facilities owned by the same company who owns the kirkland facility half the deaths around the world occurred in nursing homes right after the first deaths were reported in bill gates backyard the never trump governor declared a national emergency congress approved over 8 billion even though trump asked for only a quarter of that much of the funding will flow to gates global research partnerssuddenly bill gates says his foundation will offer inhome testing kits where you swab your nose with a qtip and send it to his labs how convenient and timely i think gates developed the hometesting kits in order to secure access to all our dnacommunist china tried to steal a patent from a us company that manufactured a treatment right after they announced the virus to the world gileads drug is under clinical trials the same treatments tests blood plasma used on sars patients in 2003 mers patients in 2013 work on wuhan patients they are all related viruses they dont want you to know that fauci is covering that up why because hes working with gates on a vaccine90 of those who tested positive on the princess cruise ship were crew members meaning the crews are carriers and are infecting passengers who put them therethe virus started in south korea because the leaders of a doomsday cult went to wuhan china and went back and infected 8000 of their members who paid them to do that south korean president moon jaein allowed 5 million chinese to enter the country after the initial outbreakin italy the virus started in a hospital filled with sick elderly people in a small town in northern italy spread by a 38year old carrier from wuhan who recovered who put him there over 100000 chinese migrants from wuhan own work in the textileleather industry in northern italy in 2019 italy and communist china signed an agreement to jointly promote chinas belt road initiative partners in wuhan virus italy admits they are coding all deaths to wuhan and letting the elderly dieer doctors say socialized medicine is so bad in italy that people avoid clinics and go straight to the hospital where they are housed with the elderly sick thats why the virus spread so fast under italys socialist healthcare if youre 80 you can be denied treatment coverage and left to die now you know why so many elderly are dying in europeirans leaders suddenly became infected after irans foreign leader met with john kerry in munich and laughed about the wuhan virus on camera almost like he was told to go home create panic and spread the virus why to try to force trump to drop sanctions iran like italy a partner in chinas belt and road initiative continued flights between iran and china the first outbreak was in the city of qom where most of the chinese projects are set up who 4 countries with economic political ties communist china south korea italy iran facilitated virus spread around the globe italy iran south korea china home to 90 of virus cases are all partners in the communist partys one belt one road schemeall those videos out of communist china of people dying on the streets and thrashing bodies on gurnies from the virus what did they really die from is huaweis 5g network delivering something nefarious to accelerate a coronavirus ability to suffocate peoplethousands of people from wuhan china have protested against the communist partys plans to build an organic waste incinerator plant in their city they are silent now what did they really want the incinerator forreal videos show hong kong freedom fighters being rounded up in handcuffs and sent off to the hospital where its likely their organs are harvested and they are crematedreal videos show elderly people in communist china trapped in buildings and left to die with no foodreal videos show that communist china installed major new surveillance cameras and technology to monitor people on the street in their offices since the virus was releasedreal videos show the chinese people yelling its all fake from high rises as the communists pretend to care for them on the streets belowthe chinese are now being forced to use an app which tells them when they can come and go and tracks their every move how did the communists suddenly develop this technology in a month this was part of the plan and put in place while they were under quarantineafter trump closed travel from communist china in january the chinese blamed the us and threatened to hold back our pharmaceuticals unless we opened travel back up again they didnt expect him to do that that thwarted their plans to seed the us with more casesi believe the virus is no more dangerous than the common flu for healthy people but has been engineered to be highly infectious and impact the elderly sick thankfully it is not widely affecting children young adults like pandemic flu doestwo stanford doctors believe that the common flu is 10 times more deadly than wuhan virus stanford doctorsi believe the virus was unleashed by the communist party to scare the chinese people back into their homes and stop the hong kong taiwanese profreedom protestsi believe the virus was unleashed by the communists to crash the us economy drive people away from trump rallies so far theyve lied about everythingi believe the virus was unleashed to help the communists round up dissidents assert global control and to cull the elderly and weaki believe the virus was unleashed to scare the american people into accepting socialized medicine and total votebymail all respiratory viral outbreaks peak in march and end in april i believe this one toothe sars coronavirus panic dropped the market 20 in march 2003 under bush and it came roaring back even higher by july in other words theyve done this before to a republican administration before an electionwuhan virus is impacting less than 1 of the population in areas of high infection china 12 s korea 21 italy 037 although the fake news media makes it sounds like 50 of the population is sick why are so many leaders testing positive for wuhan virus because communist china brought the scheme to davos in januarythe fake news reported that brazils conservative president bolsonaro tested positive for wuhan virus his son says thats a lie south korea facts of 179160 tests completed 96 tested negative 4 positive 51 people died or 69 of confirmed casesnow the fake news is trying to distance wuhan from the virus and so is communist china that means were right over the targetthe new york times is calling people racist for using the term wuhan virus i guess they forgot thats what they used to call it before their masters in the communist party told them not tosuddenly the liberal governor of new york says the state will start selling their own brand of hand sanitizer made by prison inmates how long was that in the worksdid you know who says 67 of all people under 50 in the world are infected with hsv1 herpes virus many never show symptoms think about that are we permanently quarantined for herpes virus nodemocrats hope to hype the wuhan virus for months to destroy the economy bring down the market shut down trump rallies gatherings debates the conventions force all voting by mail or phone they basically said that tonight on msnbc cnn democrats are masters at rigging absentee ballotsupdate 31220 i heard a few things today from sources i trust i thought you should knowsouth korea has already tested 200000 people and is testing 20000 people per day and finding a fatality rate of less than 7 which i trustthe reason trump shut down travel from the eu is because the newest wuhan virus cases in america are from travelers who have visited the eu the eu has not been shutting down its borders to communist china like we have since 131 in fact the eu is under siege by millions of migrants from who knows where clamoring to invade greece italythe majority of people who are dying from the wuhan virus are 80 with underlying conditions such as emphysema heart disease or cancer young healthy people have a very low risk but they can transmit it to their elderly parents grandparents so be vigilant the average age of those who succumb to the wuhan virus has been confirmed at 81 years old many deaths in communist china appear to come from elderly residents in hubei province who received no care at all and were left to fend for themselves the reason the wuhan virus impacts the elderly vulnerable is simply because their immune systems are not as strong many cases in communist china were actually infected healthcare workers who were not properly safeguarded from patients and ended up reinfecting more patients china told their healthcare workers there was no contagion problem for weeks when there wasthe same is true in washington state california nursing home employees cruise ship crew members are spreading the virus to people not the other way aroundas i mentioned many times historically coronavirus outbreaks peak in march and start to die out by the end of april coronaviruses like cooler drier weather a second round can start up again in october after a summer hiatus of those tested who were positive for any respiratory virus only 2 tested positive for wuhan meaning 98 have the common fluin order to stop the spread in america during the peak transmission months of march april president trump asked businesses sports teams and major events to suspend activity for 8 weeks to reduce transmission during this peak time makes perfect sense to stop it in its tracks and lower the bell curve what if the shutdown is not about wuhan virus at all the bright side of the panic is that liberals are suddenly wanting to buy guns close borders build walls honor elders cut taxes stop human trafficking and vaccinate their children", + "https://www.tierneyrealnewsnetwork.com/", + "FAKE", + 0.03367765894236483, + 2316 + ], + [ + null, + "this video shows why big telecom loves coronavirus the quarantine has facilitated the unobstructed 5g rollout and has effectively ended the opportunity for mass public protests which were our best hope for derailing the 5g robber barons from microwaving our country and destroying nature the telecom titans now have an open road willing politicians and a compliant population sufficiently frightened beleaguered broke and submissive to relinquish their constitutional freedoms and welcome the surveillance state 5g has little to do with improving service to individuals it has everything to do with bigtech data mining surveillance and social control if we dont stop them they will engineer a massive transfer of wealth and sovereignty away from our citizens into the hands of big telecom big tech microsoft facebook google bigpharma the militaryintelligence apparatus and the ruling plutocrats chief among these is bill gates with his sinister antiamerican tracking system id2020 his suspiciously coincidental october 2019 coronavirus war game simulations gates passed out adorable coronavirus themed stuffed animals to all the high level participants his pandemic documentary on netflix his autocratic control of anthony fauci and the who for which he is the top funder his coronavirus vaccine patents and his barely disguised lets be honest giddydelight at the quarantine that is impoverishing his countrymen and crushing their will to resist his tyrannical reforms gates wants us to cede all power to his benevolent dictatorship including power over our bodies our health and our children gates is the nerdy kid with the magnifying glass the rest of us are ants getting torched in his global science experimentplease support our lawsuit against fcc to stop 5g childrens health defenseorg", + "https://archive.fo/", + "FAKE", + 0.1585763888888889, + 275 + ], + [ + "How to Treat Coronavirus Without Drugs", + "abundant clinical evidence confirms vitamin cs powerful antiviral effect when used in sufficient quantity treating influenza with very large amounts of vitamin c is not a new idea at all frederick r klenner md and robert f cathcart md successfully used this approach for decades frequent oral dosing with vitamin c sufficient to reach a daily bowel tolerance limit will work for most persons intravenous vitamin c is indicated for the most serious casesbowel tolerance levels of vitamin c taken as divided doses all throughout the day are a clinically proven antiviral without equal vitamin c can be used alone or right along with medicines if one so choosessome physicians would stand by and see their patients die rather than use ascorbic acid vitamin c should be given to the patient while the doctors ponder the diagnosis frederick r klenner md chest specialist dr robert cathcart advocated treating influenza with up to 150000 milligrams of vitamin c daily often intravenously you and i can to some extent simulate a 24 hour iv of vitamin c by taking it by mouth very very often when i had pneumonia it took 2000 mg of vitamin c every six minutes by the clock to get me to saturation my oral daily dose was over 100000 mg fever cough and other symptoms were reduced in hours complete recovery took just a few days that is performance at least as good as any pharmaceutical will give and the vitamin is both safer and cheaper many physicians consider high doses of vitamin c to be so powerful an antiviral that it may be ranked as a functional immunization for a variety influenza strains \ndr cathcart writes the sicker a person was the more ascorbic acid they would tolerate orally without it causing diarrhea in a person with an otherwise normal gi tract when they were well would tolerate 5 to 15 grams of ascorbic acid orally in divided doses without diarrhea with a mild cold 30 to 60 grams with a bad cold 100 grams with a flu 150 grams and with mononucleosis viral pneumonia etc 200 grams or more of ascorbic acid would be tolerated orally without diarrhea the process of finding what dose will cause diarrhea and will eliminate the acute symptoms i call titrating to bowel tolerancethe ascorbate effect is a threshold effect symptoms are usually neutralized when a dose of about 90 or more of bowel tolerance is reached with oral ascorbic acid intravenous sodium ascorbate is about 2½ times more powerful than ascorbic acid by mouth and since for all practical purposes huge doses of sodium ascorbate are nontoxic whatever dose necessary to eliminate free radical driven symptoms should be giventhe coronavirus in acute infections may be expected to be just as susceptible to vitamin c as all of the other viruses against which it has been proven to be extremely effective there has never been a documented situation in which sufficiently high dosing with vitamin c has been unable to neutralize or kill any virus against which it has been tested even the common cold is a coronavirus a new opportunistic virus is a not a big surprise history is full of them flu pandemic of 19191920 about 10 million soldiers were killed in world war i 19141918 charging machine guns and getting mowed down month after month there were nearly a million casualties at the somme and another million at verdun a terrible slaughter went on for four years yet in just the two years following the war over 20 million people died from influenza that is more than twice as many deaths from the flu in onehalf the time it took the machine gunswith a centurys worth of accumulated scientific hindsight we must today ask this was a lack of vaccinations really the cause of those flu deaths or was it really wartime stress and especially warinduced malnutrition that set the stage in 1918 and now once again we have an alarming and rather similar scenario between nutrientpoor processed convenience foods mcnothing meals and tv news scare stories we have the basic ingredients for an epidemicinfluenza is a serious disease and historically has been the reapers scythe there is no way to make light of that it warrants a closer look at how the medical profession and government have approached different types of influenza swine flu in the mid1970s there was the colossal swine flu panic here is what the government of the united states said about the infamous swine flu vaccine in a 1976 massdistributed fda consumer memo on the subject some minor side effects tenderness in the arm low fever tiredness will occur in less than 4 of vaccinated adults serious reactions from flu vaccines are very raremany will remember the very numerous and very serious side effects of swine flu vaccine that forced the federal immunization program to a halt so much for blanket claims of safetyas far as being essential in the same memo the fda said this of the same vaccine question what can be done to prevent an epidemic answer the only preventive action we can take is to develop a vaccine to immunize the public against the virus this will prevent the virus from spreadingthis was seen to be totally false the public immunization program for swine flu was abruptly halted and still there was no epidemic if vaccination were the only defense one might expect that tens of millions of americans would have been struck down with the swine flu for a large percentage of the population of the us was not vaccinatedvaccines are being used as an ideological weapon what you see every year as the flu is caused by 200 or 300 different agents with a vaccine against two of them that is simply nonsense tom jefferson md epidemiologistbird flu robert f cathcart md writes treatment of the bird flu with massive doses of ascorbate would be the same as any other flu except that the severity of the disease indicates that it may take unusually massive doses of ascorbic acid orally or even intravenous sodium ascorbate why the dose needed is somewhat proportional to the severity of the disease being treated is discussed in my paper published in 1981 titrating to bowel tolerance anascorbemia and acute induced scurvy i have not seen any flu yet that was not cured or markedly ameliorated by massive doses of vitamin c but it is possible that the bird flu may require even higher doses such as 150 to 300 grams a day additionally this flu could be primarily respiratory this means that hospitalization might be necessary if massive doses of ascorbate are not used they may not be adequate most hospitals will not allow adequate doses of ascorbate to be giveninitial oral doses of ascorbic acid should also be massive i would suggest like 12 grams every 15 minutes until diarrhea is produced then however doses should be reduced but not much listen to your body if there are many symptoms keep taking doses that cause a little diarrhea you do not want constant runs because it is the amount you absorb that is important not the amount you put in your mouthbbc 9 april 2006 the chances of bird flu virus mutating into a form that spreads between humans are very low the governments chief scientific adviser has said sir david king said any suggestion a global flu pandemic in humans was inevitable was totally misleading sars the coronavirus outbreak in china seems to be due to a virus similar to sars severe acute respiratory syndrome which was also a coronavirus you may remember sars from 2002 i most certainly do as i was in toronto canada at the time smack in the middle of it i took a lot of vitamin c preventively and had zero symptomsthe common cold is a coronavirus and sars is a coronavirus so they are the same viral type david jenkins md professor of medicine and nutritional science university of toronto waiting for a vaccinewe have set up a situation where a fear is created and then we try to create the treatment for this fear the public gets the idea that the flu is going to kill them and the vaccine will save them neither is true marc siegel md author of false alarm the truth about the epidemic of fearrobert f cathcart all this talk about a vaccine is too late a waste of time now especially when we know how to cure the disease already every flu i have seen so far since 1970 has been cured or ameliorated by massive doses of ascorbate all of these diseases kill by way of free radicals these free radicals are easily eliminated by massive doses of ascorbate this is a matter of chemistry not medicine the time has come to stop hiding our ability to treat these acute infectious diseases with massive doses of ascorbateideally however in serious cases this disease should be treated first with at least 180 grams or more of sodium ascorbate intravenously every 24 hours running constantly until the fever is broken and most of the symptoms are ameliorated if after a few hours that rate of administration does not have an obvious ameliorating effect the rate should be increasedwhat dosagevitamin c fights all types of viruses although the dose should truly be high even a low supplemental amount of vitamin c saves lives this is very important for those with low incomes and few treatment options for example in one wellcontrolled randomized study just 200 mgday vitamin c given to the elderly resulted in improvement in respiratory symptoms in the most severely ill hospitalized patients and there were 80 fewer deaths in the vitamin c group\nbut to best build up our immune systems we need to employ large orthomolecular doses of several vital nutrients the physicians on the orthomolecular medicine news service review board specifically recommend at least 3000 milligrams or more of vitamin c daily in divided doses vitamin c empowers the immune system and can directly denature many viruses it can be taken as ascorbic acid which is sour like vinegar either in capsules or as crystals dissolved in water or juice it can also be taken as sodium ascorbate which is nonacidic to be most effective it should be taken to bowel tolerance this means taking high doses several or many times each day see the references below for more informationnebulized hydrogen peroxide thomas e levy md viral syndromes start or are strongly supported by ongoing viral replication in the naso and oropharynx when appropriate agents are nebulized into a fine spray and this viral presence is quickly eliminated the rest of the body mops up quite nicely the rest of the viral presence the worst viral infections are continually fed and sustained by the viral growth in the pharynx probably the best and most accessible agent to nebulize would be 3 hydrogen peroxide for 15 to 30 minutes several times daily an example of successful treatment by ascorbate chikungunya is a viral illness characterized by severe joint pains which may persist for months to years there is no effective treatment for this disease we treated 56 patients with moderate to severe persistent pains with a single infusion of ascorbic acid ranging from 2550 grams and hydrogen peroxide 3 cc of a 3 solution from july to october 2014 patients were asked about their pain using the verbal numerical rating scale11 immediately before and after treatment the mean pain score before and after treatment was 8 and 2 respectively 60 p 0001 and 5 patients 9 had a pain score of 0 the use of intravenous ascorbic acid and hydrogen peroxide resulted in a statistically significant reduction of pain in patients with moderate to severe pain from the chikungunya virus immediately after treatmentavailable evidence indicates that supplementation with multiple micronutrients with immunesupporting roles may modulate immune function and reduce the risk of infection micronutrients with the strongest evidence for immune support are vitamins c and d and zincadditional recommended nutrients magnesium 400 mg daily in citrate malate chelate or chloride form many people are deficient in magnesium because modern agriculture often does not supply adequate magnesium in the soil and food processing removes magnesium it is an extremely important nutrient that is essential for hundreds of biochemical pathways a blood test for magnesium cannot correctly diagnose a deficiency a longterm deficiency of magnesium can build up in the body that may take 6 months to a year of higher than normal doses to repletea very cheap and highly beneficial adjunct for any acute infection especially viral is oral magnesium chloride amazingly just as intravenous vitamin c has been shown to cure polio an oral magnesium chloride regimen has been shown to do the same thing as or even more effectively than the vitamin cmix 25 grams mgcl2 in a quart of water depending on body size tiny infant to an adult give 15 to 125 ml of this solution four times daily if the taste is too saltybitter a favorite juice can be addedvitamin d3 2000 international units daily start with 5000 iuday for two weeks then reduce to 2000 vitamin d is stored in the body for long periods but takes a long time to reach an effective level if you are deficient eg if you havent taken vitamin d and its near the end of winter when the sun is low in the sky you can start by taking larger than normal doses for 2 weeks to build up the level quickly the maintenance dose varies with body weight 4001000 iuday for children and 20005000 iuday for adultswilliam grant phd says coronaviruses cause pneumonia as does influenza a study of the casefatality rate from the 19181919 influenza pandemic in the united states showed that most deaths were due to pneumonia the sarscoronavirus and the current china coronavirus were both most common in winter when vitamin d status is lowesti have found the value of bolstering immune function with vitamin d to be incredibly powerful dr jeffrey allyn ruterbusch zinc is a powerful antioxidant and is essential for many biochemical pathways it has been shown to be effective in helping the body fight infections 2021 a recommended dose is 2040 mgday for adults selenium 100 mcg micrograms daily selenium is an essential nutrient and an important antioxidant that can help to fight infections dr damien downing says swine flu bird flu and sars another coronavirus all developed in seleniumdeficient areas of china ebola and hiv in seleniumdeficient areas of subsaharan africa this is because the same oxidative stress that causes us inflammation forces viruses to mutate rapidly in order to survive when sedeficient virusinfected hosts were supplemented with dietary se viral mutation rates diminished and immunocompetence improvedbcomplex vitamins and vitamin a a multivitamin tablet with each meal will supply these conveniently and economically nutritional supplements are not just a good idea for fighting viruses they are absolutely essential", + "https://realfarmacy.com/", + "FAKE", + 0.11352080620373302, + 2506 + ], + [ + "The Geopolitical Consequences of COVID-19: Over the Cliff", + "on the evening of saturday april 18 2020 the forty thousandth 40000 presumed covid 19 death according to new cdc guidelines occurredwhere death only affects the few the misinformation withheld or suppressed data the lies the propaganda and censorship are making things worsethus we turn to the format of a loose intelligence briefing as the infectious nature of propaganda has to be resisted and it is so very hard to resiston the morning of sunday april 19 2020 a propaganda blitzkrieg began using trump administration surrogates claiming the deaths are really fake people and empty hospitalswe might call this pandemic denial made dangerous as the pandemic as of midlate april 2020 is clearly in control and those claiming otherwise are knowingly lying for reasons we will make clearmajor medical centers across the us are at an average of 80 of capacity some are higher much higher in some areas temporary hospitals are being used but more often noncovid patients are being turfed to rural medical centers where their needs may not be properly addressedas with any emergency the first victim is truth social media lends itself toward sensationalism and can attract those with victimization fantasies thus only information from known sources is accepted and nothing from mainstream or social media can be trustedthe situation in american hospitals not all but more than the public would imagine is grave currently ppe personal protective equipment is in good supply with the exception of n95 masks and that situation is rapidly improvingavailability of ventilators in the us is currently very good thanks to individuals like elon musk the governments of russia and china and many charitable organizations that have gone to great effortsby very good we are speaking of supplies as predictive modeling indicates one of the problems however is that the predictive models are predicated on assumptions not in evidence and are failing this critical failure and the cloak of secrecy around it has given rise to the lunacy and subterfuge we are seeing in washingtonpart of that failure is at hospital levelto clarify the issue is getting patents off ventilators nearly half of those on ventilators now are at or above 10 days and face a poor outcome claims that half may die are low most or all will die unless a late stage treatment protocol is developed in timethis is a life and death race and we are losingmoreover many patients who are never intubated but stay on cannula for oxygen as we are told was the case with boris johnson seem to recover then quickly succumb for no apparent reasonjohnson likely received remdesivir which has been denied other nhs patients if so the political fallout for johnson whose policies left the nhs grossly unprepared for the covid 19 pandemic will and should be catastrophicthe biggest morbidity factors are the followingage 60 plusobesity smoking diabetes any other cardiopulmonary issues the glaring question of irregular morbidity figures must be addressed this is what we have learnedthe healthcare systems of italy and spain were very much not as represented claims that the hospitals of northern italy in particular are among the best in the world is patently false were it not for russian and chinese aid both italy and spain would have collapsed standards of care considered normal in britain france belgium spain and italy rate at or below the worst in the usthat said with massive medical infrastructure the us was blindsided as well twenty percent of covid 19 victims are healthcare professionals past that vital support personnel for health care are primarily african american or hispanicthis has given rise to issues of specific genetic vulnerabilities which are likely at this point overemphasized households with healthcare and support workers most often have one or more adults working away from home often in areas of very high exposurepast this we look at iran hard hit early on if figures are to be believed iran peaked on march 29 2020 and is showing a steady decline in new patients barring a second wave irans testing program has been more aggressive than most and if these figures are reliable they offer some hope to nations unlike the united states that took the threat seriouslythe material offered here is an intelligence briefing on a vital situation the us government is keeping secret even from state governors the real situation with the covid 19 pandemic as a first wave ending many lockdowns by may 1 2020 is plannedthere is nothing worse than an election year in the united states nothing worse except maybe an election year with a nation fully engaged in not just a pandemic but economic collapse as wellnever has the very real threat of extremism and totalitarianism been this close for the united states we will be addressing this issue the failure of governance but also the elephant in the room how the lockdowns themselves are a panaceaour models are failing based on mixed data on acquired immunity we have had several reports this week that reinfection rates are high particularly from south koreaby the first week of february the us had reached one of two scenarios that could have only been mitigated by a quick vaccine not possible and assumptions on immunity that were not evidence basedwhere a 10 lockdown would have applied on february 1 a twomonth lockdown from midmarch to midmay is likely to lead to waves of reinfection through september lockdown beyond that would do nothing and economic factors dictate opening up taking the extinction level hit to an unimaged level\nthis scenario advocates a may 1 end to lockdown if continued reliable reinfection reports come in which is likely to give us a wash through lasting until february 2021option 2 is most likely and may well be inexorable a wash through combined with waves of reinfection new treatment protocols and there few showing promise would be the priority generally hydroxychloroquinechloroquine is facing a dim future side effects are devastating and effectiveness has thus far been in only moderate cases and anecdotalconvalescent serum is at an experimental stage and weeks from deployment initial tests show it to be useful in a percentage of cases with the following caveat patients thus far either improve quickly or die of a reaction to the serumthis information is being withheldwe have promising antivirals but these have only been used in nondefining test situations that out of humanitarian concerns do not have a doubleblindwe are hopefulsaying we have reached an end of the world as we know it has both good and bad connotations large military forces are no longer in the cards for the major powers it has been proven how easy it is to take a ship at sea downthere are so many ways to target infections to diminish military capability there is now a weapon that makes any state a major player again and the us is entirely to blame with their massive biological weapon research program you see the us allowed the program to filter into the universities for cover as numerous treaties are being violated every president since and including clinton has a hand in thisbush 41 tried to stop this and this and other reasons were why his presidency was ended a story that will never be told bush learned early about the planning of 911 and watched clinton increasingly lose control of the reins as right wing extremist elements in washington partnered with rogue elements in the pentagon cia and the criminal elites of the former soviet union soon to make up the core of the kosher nostra crime syndicatetrumps handling of this issue if one is to assume his blunder was unintended is the single biggest failure of governance in american historywhile covering his tracks working with organized crime to foster internal rebellion wrongly targeting china and continually diminishing the presidency a wave of damage that may eventually be more costly than the pandemic itself has been fomentedoil will never be the same fracking will never be profitable current pipelines and refineries under construction are now useless as are those built in recent years many at incredible cost to the environmentrussias moves into the arctic are now likely to be curtaileda good example will be norway their gdp for the next 48 months even without a permanent market contraction will be down by 15 with exports down 40 or a bit morethey will move from a social welfare state with a very high standard of living to a debtor nation in less than 5 yearsthis is a bestcase scenario for the wealthiest of nationssaudi arabia is entering uncharted waters clearly saudi arabia and the uae will end their issues with iran from press tva saudi whistleblower has said that the number of saudi royals infected with the coronavirus covid19 has exceedingly surpassed figures previously revealed by a new york times reportthe saudi alahd aljadid twitter account made the revelations on friday more than a week after the nyt report said as many as 150 saudi royals had contracted the virusthe report at the time said that over 500 beds were being prepared at the elite king faisal specialist hospital that treats members of the saudi familyon friday however alahd aljadid which is known for whistleblowing on highprofile cases within the saudi court revealed that the saudi hospital reserved for the royals in the red sea port city of jeddah had been overwhelmed with coronavirus casesthe jeddah specialist hospital which is reserved for saudi royals is no longer capable of accepting new cases the twitter account saidtherefore two hotels have been reserved to be fully used for accommodating and curing infected royals it added naming one of the hotels as being the movenpick hotelas of 1400 gmt on friday more than 7142 confirmed coronavirus cases were reported in the kingdom with 87 deaths according to a reuters tallyanother saudi whistleblower mujtahid however has cast doubt on official figures arguing that the situation throughout the kingdom is much more criticalthe reports of the covid19 disease spreading among royals come as the saudi family is embroiled in a bitter power struggle between saudi crown prince mohammed bin salman and his potential rivals according to reportsnations like iraq have been thus far exceptionally effective in limiting the spread of the pandemic their last case was on april 16 2020 and thus far register only 82 deaths with over 500 active patientsturkey is reporting a possible downturn as of april 14 with new cases peaking a few days earlier at around 4500 new cases a day turkey however has nearly 80000 active patients and has been accused of significant underreportingrussias covid 19 surge began in april but cases are a small fraction of what the us is seeing with a mortality rate based on official reports half of that in the usconclusion covid 19 a disease that many experts werent expecting for a hundred thousand years is a highly modified version of the wuhan horseshoe bat virus it is not plausible that covid 19 developed without a genesplicing laboratory the odds against such a disease developing naturally are astronomical yet we are continually informed of the oppositein order to prepare this front line medical personnel were interviewed even interrogated to an extent within parameters of required tenets of patient privacy laws the truth the horror of the truth is worse than the dramatic twitter video we are asking too much of far too few and this should never be allowed to happen againwe have turned medical personnelfirst responders into cannon fodder", + "https://journal-neo.org/", + "FAKE", + 0.06358907731567831, + 1920 + ], + [ + "Natural Protection Strategy Against the Coronavirus", + "the special case of the coronavirus vitamin c coronavirus exploring effective nutritional treatments andrew w saul orthomolecular news service january 30 2020 this article is based on more than 30 clinical studies confirming the antiviral power of vitamin c against a wide range of flu viruses over several decades vitamin c inactivates the virus and strengthens the immune system to continue to suppress the virus in many cases oral supplementation up to 10000 mg daily can create this protection however some viruses are stronger and may require larger doses given intravenously 100000 to 150000 mg daily vitamin c helps the body to make its own antioxidant glutathione as well assist the body in the production of its own antiviral called interferon if iv vitamin c is not available there have been cases where some people have gradually increased their oral dose up to 50000 mg daily before reaching bowel tolerance powdered or crystal forms of high quality ascorbic acid can be taken five grams 5000 mg at a time every four hours every virus seems to respond to this type of treatment regardless of the whether it is sars bird flu swine flu or the new coronavirus flu vitamin d3 vitamin d helps fend off flu asthma attacks american journal of clinical nutrition march 10 2010 this was a doubleblind placebo controlled study where the treatment group consumed 1200 iu of vitamin d3 during the cold and flu season while the control group took a placebo the vitamin d group had a 58 reduced risk of flu vitamin d3 is also very effective in the treatment of virusflu infectionsvitamin d3 helps our body to make an antibiotic protein called cathelicidin which is known to kill viruses bacteria fungi and parasites\nvitamin d deficiency for adults is 42 but this is incorrect because the standards are too low levels of 3050 ngml are said to be adequate but every scientific study has shown that levels of 50100 ngml are needed for true protectiondiet and sunshine are good sources of vitamin d but most people need to supplement especially during flu season between 500010000 iu daily is often recommended in the form of a quality liquid supplementwhen you get the flu dr john cannel recommends taking 50000 iu daily for the first 5 days and then 500010000 iu as a maintenance dose silver silver kills viruses journal of nanotechnology october 18 2005 this study found that silver nanoparticles kills hiv1 and virtually any other viruses the study was jointly conducted by the university of texas and mexico university after incubating hiv1 virus at 37 c the silver particles killed 100 of the virus within 3 hours silver employs a unique mechanism of action to kill virusessilver binds to the membrane of the virus limiting its oxygen supply and suffocating itsilver also binds to the dna of the virus cell preventing it from multiplyingsilver is also able to prevent the transfer of the virus from one person to another by blocking the ability of the virus to find a host cell to feed on all viruses need host cells to survivecolloidal silver can also be used at doses of 1020 ppm nanoparticle sliver is preferredthe best defense against swine flu bird flu or the new coronavirus may be a few teaspoons of sliver every day bacteria and viruses cannot develop a resistance like many other treatments can silver disables a vital enzyme and mechanism in pathogens so they cannot surviveother evidencebased herbal strategies for the fluin addition to the previously mentioned vitamin strategies for preventing and treating virusrelated illnesses there are several herbal remedies that are also effective here are a few with proven scientific evidence behind themelderberry a study published in the journal of alternative and complementary medicine found elderberry can be used as a safe and effective treatment for influenza a and bcalendula a study by the university of maryland medical center found that ear drops containing calendula can be effective for treating ear infections in childrenastragulus root scientific studies have shown that astragulus has antiviral properties and stimulates the immune system one study in the chinese medical sciences journal concluded that astragulus is able to inhibit the growth of coxsackie b viruslicorice root licorice is gaining popularity for the prevention and treatment of diseases such as hepatitis c hiv and influenza the chinese journal of virology published a review of these findings olive leaf olive leaf has been proven effective in the treatment of cold and flu viruses meningitis pneumonia hepatitis b malaria gonorrhea and tuberculosis one study at the new york university school of medicine found that olive leaf extracts reversed many hiv1 infectionsthese are just some of the many antiviral agents that should be included in everyones home remedy medicine chest it may also be helpful to know which foods can provide the best antivital protection certain foods can provide strong antiviral production some of the strongest foods in this category include\nwild blueberriessproutscilantrococonut oilgarlicgingersweet potatoesturmericred cloverparsleykalefennelpomegranatesconclusionit is a generally accepted fact that once a virus is in the body it very seldom leaves the medications vitamins and herbs that have been proven to be effective simply suppress the virus and limit its ability to reproduce a strong immune system is the key to preventing andor successfully treating any chronic illness the key elements of this protection program include eating a plantbased whole food diet with very limited animal productsadding daily nutritional supplements such as a multiple vitaminmineral 2000 mg of vitamin c with bioflavonoids maintain vitamin d3 levels of 5090 ngml 10002000 mg of omega 3 oils a vitamin b complex and about 400 mg of magnesium depending on your level of exercise\navoid toxins and use detoxification programs periodicallyregular daily exerciseaerobic resistance and flexibilityavoid stress and use yoga and meditation to manage stresswash your hands with soap and water after touching areas that have been touched by othersin the home there is a new product puregreen24 that kills staph mrsa and most viruses within two minutes this product has an epa iv toxicity rating and is safe and effective for hospitals as well as for children and pets at homeavoid putting your hands to your faceavoid anyone who is experiencing flu and cold symptomsat the first signs of any cold or flu symptoms begin a fairly aggressive treatment protocol the sooner treatment begins the better the chance is that the infection can be stopped andor controlled\nby adhering to this basic antiviral strategy it is possible to greatly reduce the risk of these virusrelated illnesses as well as most other illnesses conventional medicine offers very little for the prevention or treatment of most viral illnesses natural medicine offers considerably more solutions", + "https://web.archive.org/", + "FAKE", + 0.18260752164502164, + 1115 + ], + [ + "Beijing Believes COVID-19 Is a Biological Weapon", + "from conspiracy theory to geopolitical realism the possibility to treat covid19 as a biological weapon has been finally accepted in the public sphere the recent statement by the chinese spokesman zhao lijian formally accusing the us of bringing coronavirus to china has highlighted a series of new opinions about the pandemicthe hypothesis of biological warfare behind the global pandemic had already been raised by russian experts some weeks ago like any opinion that is slightly different from the official version of western governments and their media agencies the thesis was ridiculed and accused of being a conspiracy theory however as soon as the official spokesman for the ministry of foreign affairs of the second largest economic power on the planet publishes a note attesting to this possibility it leaves the sphere of conspiracy theories to enter the scene of public opinion and official government versionsin addition to making the explanation of biological warfare official zhao lijian raised important questions about the pandemic data in the usa when did patient zero begin in us how many people are infected what are the names of the hospitals it might be us army who brought the epidemic to wuhan be transparent make public your data us owe us an explanationthe supreme leader of the islamic republic of iran ayatollah khomeini ordered on the same day of the declaration of the chinese ministry the creation of a unified center of scientific research specialized in the fight against the coronavirus the motivation according to the iranian spiritual and political leader was motivated by evidence that the pandemic is a biological attack these are his wordsthe establishment of a headquarters to fight the outbreak of covid19 occurs due to the presence of evidence that indicates the possibility of a biological attack signaling that it is necessary that all coping services to the coronavirus be under the command of a unified headquartersin fact what the mainstream western media has called a conspiracy has been manifested in us defense programs for a long time we must briefly recall the official document named rebuilding americas defenses published by the conservative think tank project for a new american century where we can clearly read advanced forms of biological warfare that can target specific genotypes may transform biological warfare from the realm of terror to a politically useful tool taking into account that the document was published in 2000 we can see that the possibility of biological warfare has been carefully considered and worked on by american strategists for at least two decades however the projects are even older this article published in global research tells a brief history of biological warfare technology tracing the remote origins of this practice by the american armed forces in this genealogy of biological warfare we find reports of the use of bioweapons in wars in great conflicts of the last century such as the second world war the korea war and the conflicts with cuba even so until last thursday the mere fact of mentioning this hypothesis for the new coronavirus was rejected as conspiracywe must attain to concrete data pentagon has 400 military laboratories around the world whose activities are still obscure the usa has not yet made a clear statement about the covid19 data in its territory having not yet informed the identity of its patient zero and maintaining uncertain information about the number of infected chinese scientists conducted a complex study in which they concluded that the virus did not originate in china but that it had multiple and diverse sources from the huanan marine seafood market from where the virus subsequently spreadin february the japanese media agency ashi tv reported that the virus originated in the us not china and that washington would be omitting its actual numbers with some cases of death attributed to influenza being in fact camouflaged cases of coronavirus on february 27 a taiwanese virologist presented a series of flowcharts on a tv program corroborating the thesis that the virus has an american origin providing a scientific explanation to the flow of the virus sources devoid of any geopolitical purposeanother curious fact is that china has been unexpectedly affected by epidemic phenomena particularly during the period of the trade war between beijing and washington only between 2018 and the beginning of 2020 the country recorded epidemic episodes of h7n4 h7n9 two variations of bird flu and african swine flu also the us has not officially responded to any of these notes remaining silent about the coronavirus situation in its territorynot proposing a concrete answer but only speculations we can consider that the circumstances of the case present us a very extensive list of possibilities about what in fact the coronavirus is obviously it is possible that it is not a biological weapon and this is the official version of most of the media agencies and governments however once this hypothesis has been raised and no concrete evidence to the contrary is presented it is also possible that it is a biological weaponthe most important thing to do is to dispel the myth that biological wars are conspiracy theories we must begin to take this possibility seriously and analyze the evidences in search of real solutions biological weapons are methods that have long been used and that form a fundamental part of modern warfare whose costs are less than the methods of direct confrontation of the old wars of mobilization and whose benefits are greater", + "https://www.globalresearch.ca/", + "FAKE", + 0.04117378605330413, + 908 + ], + [ + "SARS-CoV-2 — A Biological Warfare Weapon?", + "sarscov2 a biological warfare weapon novel coronavirus means it is a new virus not previously known to previously infect humans the currently held conventional view is that sarscov2 was transmitted through animals zoonotic transmission specifically bats boyle dismissed this notion in our initial interview and still refutes the idea while a widelycited paper2 published in the nature journal on february 3 2020 claims to establish that sarscov2 is a coronavirus of bat origin that then jumped species the work of one of the authors of that paper shi zhengli actually involved the weaponization of the sars virus another nature paper3 published that same day reiterates the idea that the covid19 pandemic is zoonotically transmitted however according to boyle other scientific literature establishes that this is indeed an engineered synthetic virus that was not transmitted from animals to humans without human intervention for starters a lancet paper4 published february 15 2020 by physicians who treated some of the first covid19 patients in china showed that patient zero the one believed to have started the transmission was nowhere near the wuhan seafood market whats more there were no bats sold in or even close to the market at least onethird of the patients reviewed also had no exposure or links to that market this data supports the counterhypothesis that sarscov2 was not zoonotically transmitted but is in fact an engineered virus even us politicians and intelligence agencies are starting to say they believe the virus leaked from the wuhan bsl4 lab56 in our first interview boyle discussed published research establishing that the novel coronavirus is sars which is a weaponized version of the coronavirus to begin with wuhan bsl 4 lab with added gainoffunction capabilities that increases its virulence makes it spread easier and faster i also went through the scientific article where the australian health board working with wuhan genetically engineered hiv into sars boyle says so that is all verified in scientific papers in addition it seems to me that they took that back to the wuhan bsl4 and applied nanotechnology to it the size of the molecules are maybe 120 microns which indicates to me we are dealing with nanotechnology thats something you need to do in a bsl4 biological weapons nanotechnology is so dangerous people working with it have to wear a moon suit with portable air we also know that one of the cooperating institutions to wuhan bsl4 was harvard and that the chairman of the harvard chemistry department dr charles lieber a specialist in nanotechnology set up an entire laboratory in wuhan where according to reports he specialized in applying nanotechnology to chemistry and biology my guess is based on what ive read in the literature that they tried to weaponize all that together and that is sarscov2 that we are dealing with now so its sars which is genetically engineered biowarfare agent to begin with second it has gainoffunction properties which makes it more lethal more infectious it has hiv in there that was confirmed by an indian scientist and it looks like nanotechnology has been used an mit scientist who did a study found that it traveled 27 feet through the air and that i guess was in lab conditionsthat i think is why its so infectious and that is what i believe we are dealing with here this is why the 6foot social distancing recommendation by the cdc is preposterous even doubling that will do you no good if there is nanotechnology it floats in the air i am not saying that china deliberately released this shooting itself in the foot but it was clear they were developing an extremely dangerous unknown biological weapon that had never been seen before and it leaked out of the laband as you see in the washington post7 us state department officials reported back to washington that there were inadequate safety precautions and procedures in that lab to begin with we also know that sars has leaked out of other chinese biological warfare labs so right now i believe that is what happened here i personally believe that until our political leaders come clean with the american people both at the white house and in congress and our state government and publicly admit that this is an extremely dangerous offensive biological warfare weapon that we are dealing with i do not see that we will be able to confront it and to stop it let alone defeat itadvertisement click here to learn more about earth day the origin of sarscov2 while boyle made the origin of sarscov2 clear in our initial conversation as i started reading some of the literature it really was shocking because one of the primary investigators on the 2015 paper8 from the university of north carolina a sarslike cluster of circulating bat coronaviruses shows potential for human emergence was dr shi zhengli a virologist who in 2010 had published a paper9 discussing the weaponization of the sars virus normally while the coronavirus found in bats may be sars10 it typically does not infect humans as it does not target the ace2 receptor the infectious agent causing the current pandemic is called sarscov2 sars standing for serious acute respiratory infection and cov2 indicating that its a second type of sars coronavirus known to infect humans sarscov2 of course contains the genetic modification to attach to ace2 receptors in human cells which allows it to infect them zhenglis publications show that she engineered this bat coronavirus into one that crosses species and infects humans she has in fact been working on this for more than 10 years that is why i said sars was a bioengineered warfare weapon to begin with boyle says and that is what the university of north carolina and the australian lab were trying to make even more dangerous with the gainoffunction and the hiv so sars was a biological warfare agent to begin with it leaked and that is the origin of the covid19 epidemic in addition an indian paper1112 that ended up being withdrawn due to intense political pressure shows a specific envelope protein from the hiv virus called gp41 was integrated in the rna sequences of sarscov2 in other words the implication is that the hiv virus was genetically engineered into sars so in summary sarscov2 appears to be a bioengineered bat coronavirus13 which was initially benign and nontransmittable to humans zhengli then genetically modified the virus to integrate spike proteins that allows the virus to enter human cells by attaching to ace2 receptors that was the first modification\nthe second modification was to integrate an envelope protein from hiv called gp141 which tends to impair the immune system a third modification appears to involve nanotechnology to make the virus light enough to remain airborne for a long time apparently giving it a range of up to 27 feet14 nanotech expert with wuhan connection arrested while the bsl4 lab in wuhan may have leaked the virus its creation does not appear to be limited to the chinese as noted by boyle in his comment above the chairman of the harvard department of chemistry nanoscience expert dr charles lieber was arrested earlier this year by federal agencies suspected of illegal dealings with china15 lieber has denied the allegations the wuhan university of technology wut allegedly paid him 50000 a month from 2012 to 2017 to help establish and oversee the wutharvard joint nano key laboratory he also received another 150000 a month in living expenses from chinas thousand talents program the problem was harvard officials claim they had not approved the lab and didnt know about it until 2015 boyle comments the cover story here that harvard didnt know what was going on is preposterous i spent seven years at harvard i have three degrees from harvard i spent two years teaching at harvard of course harvard knew that its chair of the chemistry department had this lab in wuhan china where he was working on nanotechnology with respect to chemical and biological materials thats been reported they didnt say what the materials were in addition it has now been reported that harvard was a cooperating institution with the wuhan bsl4 researchers working on gainoffunction to spanish flu if you think sarscov2 is bad be glad its not the weaponized version of spanish flu which has also been in the works according to boyle he says the university of north carolinas work was existentially dangerous and they knew it at the time if you read the unc scientific article16 cowritten by the wuhan bsl4 scientist shi zhengli it says experiments with the fulllength and chimeric shc014 recombinant viruses were initiated and performed before the gof research funding pause and have since been reviewed and approved for continued study by the nih it says recombinant so they admit it was gainoffunction research the research was paused by nih17 national institutes of health why was it paused by nih because there was a letter put out by large numbers of life scientists at the time saying this type of gainoffunction work could be existentially dangerous if it got out in the public therefore it had to be terminated but the nih was funding this in the beginning a footnote here i read the nihs pause letter to the university of north carolina and unc was doing two gainoffunction research projects the other one was with dr yoshihiro kawaoka from the university of wisconsin who had resurrected the spanish flu virus18 for the pentagon he according to the pause letter was also there doing gainoffunction work on the flu virus one could only conclude it was the spanish flu virus it did not say the spanish flu but they also put a gainoffunction pause on that type of deadly research i mean the spanish flu we all know what that is so imagine giving the spanish flu gainoffunction properties making it even more lethal and more infectious thats exactly what was going on there at that unc lab disturbingly while the nih halted funding of this kind of gainoffunction research on lethal pathogens in 2014 it reauthorized it in december 201719 and boyle suspects kawaokas work may have been restarted as well although hes not found proof of it yet so this was existentially dangerous work that was going on at that unc lab everyone knew it nih funded it niaid under dr fauci funded it as well they knew exactly how dangerous this was they paused it and then they resumed it boyle says can violations of biowarfare treaty be enforced as mentioned boyle is a professor of international law and drafted an international treaty on biowarfare agents and weapons that law is still in force and would provide life imprisonment for everyone involved in the creation and release of sarscov2 were it officially concluded to be a biowarfare agent if you read that unc article20 it says exactly it was dealing with synthetic molecules and in my biological weapons antiterrorism act of 1989 i specifically criminalized by that name synthetic molecules that is why at first the whole synthetic biology movement was set up by the pentagons darpa they funded the whole thing and its darpa money that is behind synthetic biology gene drive and all the rest of it and that is why at the first convention of synthetic biologists in their final report one of their key recommendations was the repeal of my biological weapons antiterrorism act because they fully intended to use synthetic biology to manufacture biological weapons the law still applies it provides for life imprisonment for everyone who has done this all the scientists involved at the university of north carolina and everyone who funded this project knowing that it was existentially dangerous and that includes fauci and people at the nih unc food and drug administration the dana harvard cancer institute at harvard the world health organization so just how would we get that process of justice going boyle explains there are two ways first youre going to have to pressure the department of justice to prosecute these people that might be very difficult to do federal statutes require indictments to be brought by us attorneys however just with respect to north carolina state law applies there too i havent researched north carolina law however i was originally hired here to teach criminal law and i taught it for seven or eight years to have criminal intent one of the variants of criminal intent is the demonstration of grave indifference to human life and that is the criminal intent necessary for homicide so in my opinion and my advice would be if we cant get attorney general william pelham barr to sign off on prosecuting these people that the district attorney states attorney attorney general out there in north carolina institute and indict everyone involved in this north carolina work for homicide and that could include up to and including murder malice of forethought again one of the elements can be manifestation of grave indifference to human life and its clear from this article the 2015 unc paper21 they knew it was gainoffunction they paused it because it was existentially dangerous it was then reapproved and they continued it so i think a good case could be made certainly for indicting these people under north carolina law by north carolina legal authorities if the federal government is not going to do it for us under my law the biological weapons antiterrorism act of 1989 but again i want to make it clear i havent research north carolina lawtime to shutter all bsl4 laboratories boyle is adamant that all bsl3 and bsl4 laboratories must be closed down and all biowarfare work with lethal pathogens ceased they are all existentially dangerous he says this is a catastrophe waiting to happen and it is now happened here we are its staring us in the face certainly covid19 is nowhere near as devastating as the black death or the spanish flu of 1918 both of which exacted a shocking death toll all without the aid of synthetic molecules and nanotechnology the very idea that any of these horrific illnesses might be brought back in turbocharged form should be terrifying enough for the world to unite in saying no thanks we dont want or need that kind of research going on what value have these dangerous laboratories provided to date compared to the risk they are exposing all of us toin closing while boyle believes covid19 has the ability to become a serious pandemic killer i strongly disagree based on all the data ive seen so far i believe hes wrong on this point and i suspect the death toll due to economic hardship and emotional stress will be far worse than the disease itself", + "https://articles.mercola.com/", + "FAKE", + -0.03440491588357442, + 2466 + ], + [ + null, + "read a 2015 article in nature magazine about experiments in the united states on bat coronavirus and sars that are potentially dangerous to humans it looks like an attempt to kill two birds with one stone attack china and get rid of the elderly that is pensioners", + "Manik", + "FAKE", + -0.6, + 47 + ], + [ + null, + "people have been trying to warn us about 5g for years petitions organizations studieswhat were going thru is the affects sic of radiation 5g launched in china nov 1 2019 people dropped dead", + "twitter", + "FAKE", + -0.2, + 33 + ], + [ + "Biolab for “Most Dangerous Pathogens on Earth” Opened in Wuhan Before Outbreak", + "about 56 million people in several chinese cities have been placed on quarantine due to the sudden outbreak of a deadly sarslike virus called 2019ncov the illness is said to have originated in a seafood market in wuhan and quickly spread to other areas of china then japan thailand south korea and the united states suspected cases have been reported in australia and scotland however it is possible that there is more to the story as chinese authorities have been running a censorship campaign to prevent the spread of information about the virus that deviates from official statementsone very strange coincidence in the development of this outbreak is the fact that a new biolab tasked with studying the most dangerous pathogens on earth recently began operating in wuhan where the illness is said to have originatedback in 2017 just before experiments at the lab began the prestigious science journal nature published an article expressing concerns about pathogens escaping from the new wuhan lab the laboratory is a biosafety level4 bsl4 facility which is the highest level of biocontainment bsl4 facilities must meet rigid standards for decontaminating the area as well as workers after every experiment however bsl4 labs remain extremely controversial because critics argue that these measures may not be enough to prevent a virus from escaping according to richard ebright a molecular biologist at rutgers university in piscataway new jersey the sars virus has escaped from highlevel containment facilities in beijing multiple timesin may of 2019 less than a year before the outbreak began the us centers for disease control and prevention cdc issued a press release that gave an overview of the projects that the new lab was currently working on the projects included sars ebola hemorrhagic fever lassa fever avian influenza ah5n1 rift valley fever and others scientists have examined the genetic code of the new virus and have found that it is more closely related to sars than any other human coronavirus in bsl4 labs researchers can tweak or combine deadly viruses to create mutated strains of the original illness a 2013 report in nature indicated that scientists in china were creating hybrid viruses in labsa team of scientists in china has created hybrid viruses by mixing genes from h5n1 and the h1n1 strain behind the 2009 swine flu pandemic and showed that some of the hybrids can spread through the air between guinea pigs the article revealedthe results of the hybrid virus experiment were published in the journal sciencesuch experiments are usually intended to teach scientists more about certain illnesses so they can be treated and prevented better but other research has involved intentionally making certain viruses even more deadly than they already were regardless of the motivation exposing people to these pathogens even in the most secure of settings can be risky especially considering the fact that contagions have escaped from secure labs in the past", + "https://medicine-today.net/", + "FAKE", + 0.08720582447855173, + 482 + ], + [ + "Did China Steal Coronavirus From Canada And Weaponize It?", + "in march 2019 in mysterious event a shipment of exceptionally virulent viruses from canadas nml ended up in chinathe event caused a major scandal with biowarfare experts questioning why canada was sending lethal viruses to chinashe primarily received her medical doctor degree from hebei medical university in china in 1985 and came to canada for graduate studies in 1996in august 2017 the national health commission of china approved research activities involving ebola nipah and crimeancongo hemorrhagic fever viruses at the wuhan facilityafter a laboratory leak incident of sars in 2004 the former ministry of health of china initiated the construction of preservation laboratories for highlevel pathogens such as sars coronavirus and pandemic influenza virus wrote guizhen wu coronavirus bioweapon", + "http://redstatewatcher.com/", + "FAKE", + 0.14114583333333333, + 119 + ], + [ + "THE GLOBAL ELITES DID NOT EXPECT THE CORONAVIRUS TO BEHAVE INADEQUATELY", + "liberalism is only a pretext for mass extermination as colonization and the spread of the standards of modern western civilization were the global elites and their local puppets may be counting on surviving with a vaccine but something suggests that this may be where the catch lies the virus may behave inadequately and the processes that have begun on the civilizational level and even in individual unpredictable spontaneous events may disrupt their carefully thought out plans", + "https://www.geopolitica.ru/", + "FAKE", + 0.05925925925925926, + 76 + ], + [ + "Overhyped Coronavirus Weaponized Against Trump", + "rush folks this coronavirus thing i want to try to put this in perspective for you it looks like the coronavirus is being weaponized as yet another element to bring down donald trump now i want to tell you the truth about the coronavirus interruption you think im wrong about this you think im missing it by saying thats interruption yeah im dead right on this the coronavirus is the common cold folksthe driveby media hype of this thing as a pandemic as the andromeda strain as oh my god if you get it youre dead do you know what the i think the survival rate is 98 ninetyeight percent of people get the coronavirus survive its a respiratory system virus it probably is a chicom laboratory experiment that is in the process of being weaponized all superpower nations weaponize bioweapons they experiment with them the russians for example have weaponized fentanyl now fentanyl is also not what it is represented to beif you watch cop shows then you probably stick with me on this if you watch cop shows you probably believe that just the dust from a package of fentanyl can kill you if youre in the same room with it not true not true even the cheap kind of fentanyl coming from china thats used to spike heroin they use fentanyl cause its cheap it gives a quick hit doesnt last very long which is really cool if youre trying to addict peoplebut it doesnt kill people the way its projected on tv it can if you od on it but inhaling a little fentanyl dust is not going to cause you to lose consciousness and stop breathing as they depict on cop shows its dangerous dont misunderstand but it isnt the way its portrayed in popular criminal tv shows cop shows and so forth and so on the coronavirus is the same its really being hyped as a deadly andromeda strain or ebola pandemic that oh my god is going to wipe out the nation its going to wipe out the population of the worldthe stock markets down like 900 points right now the survival rate of this is 98 you have to read very deeply to find that number that 2 of the people get the coronavirus die thats less than the flu folks that is a far lower death statistic than any form of influenza which is an annual thing that everybody gets shots for theres nothing unusual about the coronavirus in fact coronavirus is not something new there are all kinds of viruses that have that name now do not misunderstand im not trying to get you to let your guard downnobody wants to get any of this stuff i mean you never i hate getting the common cold you dont want to get the flu its miserable but were not talking about something here thats gonna wipe out your town or your city if it finds its way there this is a classic illustration of how media coverage works even if this media coverage isnt stacked even if this is just the way media normally does things this is a hyped panicfilled version its exactly how the media deals with these things to create audience readership interest clicks what have youit originated in china in a little well not a little town its a town that is 11 million people wuhan china one of the reasons theyre able to hype this is that the doctor what warned everybody about it came down with it and died so if a doctor got it oh my god rush a doctor got it you cant possibly be right if a doctor cant protect himself he didnt know what he was dealing with he discovered it back in december im telling you the chicoms are trying to weaponize this thing heres the story on russians and fentanylfentanyl is a very very powerful opiate and for those of you that havent had any experience with opiates the people that get addicted to em take them and they get very euphoric they kill pain they do wonderful things but they make you very very euphoric they act like speed other people take em and they hate em it makes em vomit throw up feel nauseous it doesnt do anything for em theyre never gonna get addictedso in moscow the chechens way back im gonna go back now what is it maybe 10 years or longer a bunch of chechen rebels took over an opera house and had a bunch of russian hostages in there and made all kinds of threats and putin unbeknownst to anybody had weaponized fentanyl hed turned it into a gas an invisible gas he just put it in the ventilation system of this opera house or whatever it was im giving you the sketchy short version of this and everybody in there fell asleep and died you know in a drug overdose you stop breathingthats what it slows down your respiratory system so much that you stop breathing thats what an od is and everybody in that place including the chechens pfft had no idea what happened to em its not violent you just fall asleep for unknown reasons at the amounts that putin weaponized and put in there if you take a normal dose of fentanyl that you get from a doctor in a hospital its not gonna kill you obviously but the amount they weaponized and up to this time nobody had ever weaponized fentanylnobody had ever made it into an invisible odorless colorless gas until it was discovered that the russians had done it well every nation is working on things like this and the chicoms obviously in their lab are doing something here with the coronavirus and it got out some people believe it got out on purpose that the chicoms have a whole lot of problems based on an economy that cannot provide for the number of people they have so losing a few people here or there is not so bad for the chinese governmentthere could be anything to explain thisbut the way its being used i believe the way its being weaponized is by virtue of the media and i think that it is an effort to bring down trump and one of the ways its being used to do this is to scare the investors to scare people in business its to scare people into not buying treasury bills at auctions its to scare people into leaving cashing out of the stock market and sure enough as the show began today the stock market the dow jones industrial average was down about 900 points supposedly because of the latest news about the spread of the coronavirusand if you go deeper into china you will see that all of the hightech silicon valley firms are said to be terribly exposed they could be suffering a disastrous year why you may not be able to buy a new iphone of any model this whole year do you know that because the coronavirus is so bad that the factories may never open and if they do they may not be anywhere near full capacity so apple may not be able to release any new product you think thats not gonna panic investors it most certainly isso apple is trying to do what they can to suggest that these rumors are not true they got new products coming this year but the tech media hates apple they love antiapple stories they love anything that will let them report that apples on its last legs of course thats not true warren buffett came out today and said apple is the best run company ever hes a big stockholder so people will say hes biased about it but the bias you have to pay attention to is how much money he invested he got 36 billion in apple stock that berkshire hathaway hasthey sold 800 million of apple stock last week and everybody said oh my god hes getting out no hes not hes got 36 billion he sold 800 million no big deal he wanted to allocate it somewhere else so this is i think the coronavirus is an effort to get trump its not gonna work its one of the latest in a long line of efforts that the driveby medias making to somehow say that trump and capitalism are destroying america and destroying the world just keep in mind where the coronavirus came fromit came from a country that bernie sanders wants to turn the united states into a mirror image of communist china thats where it came from it didnt come from an american lab it didnt escape from an american research lab it hasnt been spread by americans it starts out in a communist country its tentacles spread all across the world in numbers that are not big and not huge but theyre being reported as just the opposite just trying to keep it all in perspective\nbreak transcript rush heres neil in orlando great to have you on the program sir hellocaller hello rush man im blessed to have the chance to talk to you i cannot believe it so you were talking about the coronavirus a little bit a while ago and whats the one thing that disappeared when the coronavirus came outrush well let me see what one thing just hang on what disappeared what disappeared what disappeared oh the protests in hong kong went awaycaller yes thats itrush thats a big caller yuprush whispering talent on loan from godcaller that sure isrush thats probably the big one the protests in hong kongcaller thats my take from it i dont know ive got a friend over there that sends me stuff but theres a lot we dont want to start any conspiracy theories but this will be my only time i ever get through to you cause ive been calling since 92 but i just want to say about your talent on loan from god just in the time i was on hold listening to you and it got me to the point where i just wanted to say that trump got no notice about russian meddling like sanders did so why not i wonder about that when carter was president my first home buying i was a firsttime home buyer the rate was 1333 ill never forget it and that was a firsttime homeownerrush i know i knowcaller that was a dealrush i know i knowcaller that was a deal at 1333rush i bought my first shack you know at that time in overland park kansas i had no business buying it but everybody said you gotta buy dont rent youre throwing money away if you rentcaller mmmhmmrush so you know my one time i became a conformist it got me i didnt want to live in this shack i never wanted to move into this shack but its what i bought so i had to move into the thingcaller and one more rush i didnt even want people to take me home i didnt want people to see this shack that i lived in one day were playing football the chiefs front office the royals front office after the baseball season thursday afternoon flag football george bretts playing and he offered to take me home i said chuckles no george im fine i didnt want brett to see where the shack was so yeah 13 interest rates during carter and it was bad carter actually coined the term malaise to describe his own administration and its effect on the american economywe had the misery index and all of thatbut look back to the coronavirus for just a second that is true that the hong kong protests strangely subsided as the news of the coronavirus expanded and ill tell you it is a way if you are a totalitarian government and you need to control your population one of the best ways of doing it is unleashing something they think is a deadly disease and then you as the dictator have the safety solutions you have the ability to round people up from their homes and take em to socalled health campsbe very leery of this folksit probably is not what the medias leading you to believe it is", + "https://www.rushlimbaugh.com/", + "FAKE", + 0.036286395703062364, + 2066 + ], + [ + "VITAMIN C AND ITS APPLICATION TO THE TREATMENT OF nCoV CORONAVIRUS", + "how vitamin c reduces severity and deaths from serious viral respiratory diseases most deaths from coronavirus are caused by pneumonia vitamin c has been known for over 80 years to greatly benefit pneumonia patientsin 1936 gander and niederberger found that vitamin c lowered fever and reduced pain in pneumonia patientsalso in 1936 hochwald independently reported similar results he gave 500 mg of vitamin c every ninety minutesmccormick gave 1000 mg vitamin c intravenously followed by 500 mg orally every hour he repeated the injection at least once on the fourth day his patient felt so well that he voluntarily resumed work with no adverse effectsin 1944 slotkin and fletcher reported on the prophylactic and therapeutic value of vitamin c in bronchopneumonia lung abscess and purulent bronchitis vitamin c has greatly alleviated this condition and promptly restored normal pulmonary functionslotkin further reported that vitamin c has been used routinely by the general surgeons in the millard fillmore hospital buffalo as a prophylactic against pneumonia with complete disappearance of this complicationaccording to the us centers for disease control there are about 80000 dead from annual influenzas escalating to pneumonia in the usa coronavirus is a very serious contagious disease but contagion to a virus largely depends on the susceptibility of the host it is well established that low vitamin c levels increase susceptibility to virusesvitamin c lowers mortality it is one thing to be sick from a virus and another thing entirely to die from a viralinstigated disease it must be emphasized that a mere 200 mg of vitamin cday resulted in an 80 decrease in deaths among severely ill hospitalized respiratory disease patientsa single cheap bigbox discount store vitamin c tablet will provide more than twice the amount used in the study aboveand yes with vitamin c more is betterfrederick r klenner and robert f cathcart successfully treated influenza and pneumonia with very high doses of vitamin c klenner published on his results beginning in the 1940s 8 cathcart beginning in the 1970s they used both oral and intravenous administrationvitamin c is effective in reducing duration of severe pneumonia in children less than five years of age oxygen saturation was improved in less than one daya recent placebo controlled study concluded that vitamin c should be included in treatment protocol of children with pneumonia so that mortality and morbidity can be reduced in this study the majority of the children were infants under one year of age by body weight the modest 200 mg dose given to tiny babies would actually be the equivalent of 20003000 mgday for an adultalthough many will rightly maintain that the dose should be high even a low supplemental amount of vitamin c saves lives this is very important for those with low incomes and few treatment optionswere talking about twenty cents worth of vitamin c a day to save lives now", + "http://orthomolecular.org/", + "FAKE", + 0.08664111498257838, + 476 + ], + [ + "Breaking news: China will admit coronavirus coming from its P4 lab", + "miles guo identified the chinese scientist deyin guo to be the person who created the wuhan coronavirus wang quishan the vice present of china ordered this attack now the chinese communist party is blaming the us for creating wuhan coronavirus please click on the link below to read the last newsthe chinese communist party will finally admit that the real source of the coronavirus is from a lab in wuhan linked to its covert biological weapon programsas the novel coronavirus originated in wuhan is spreading to ten countries more and more people including international bioweapon experts are questioning its link to the wuhan p4 lab located about 20 miles from a seafood market where the first few cases of human infections were founda reliable source one of the chinese kleptocrats told miles guo today that the chinese communist party ccp will admit to the public of an accidental leak of labcreated virus from a p4 lab in wuhan to put blames on human errors but the official announcement is still being finalizedinitially the chinese communists propaganda machines were blaming the virus on wild animals like bats by showing many videos of people eating batsin january 2018 a biosafety level four bsl4 laboratory was built in the city of wuhan which focuses on the control of emerging diseases and stores purified sars and other types of viruses it is supposed to act as a who reference laboratory linked to similar labs around the worldthe remaining question is whether the chinese communist party leaked the virus on purpose as a desperate attempt to stay in power there is no final conclusion yet but the chinese communist party acted suspiciously before during and after the first case of wuhan pneumoniawang qishan visited wuhan secretly during the time of the first sign of the deadly virusthe chinese top kleptocrats like han zheng did not respond to any early reports of the mysterious wuhan pneumonia sent by the government of hubei provincethe chinese government deliberately covered up and delayed the reporting and containment of the mysterious pneumoniathe chinese kleptocrat wang qishan the vice president of china told his friend confidently that the outbreak would end in february while the epidemic is spreading out of controlthe chinese government deliberately abandon the residents patients and medical staff at the epicenter without providing food medical supplies or protective gearthe chinese top kleptocrats handle the outbreak with a nonchalant attitude instead of talking or acting in ways to show concerns they were celebrating chinese new year as if nothing has happenedthe chinese government has not done a lot to reduce the spread of the disease except for sending military forces to prevent people from escaping their cities or villages on lockdownthe chinese government allows the fear to spread nationally and internationally to create an almost doomsdaylike scenethe chinese government rejected aid monitoring donation or assistance from the who to keep the epidemic in a black box", + "https://gnews.org/", + "FAKE", + 0.04434624017957352, + 487 + ], + [ + "WHO MAY BE INVOLVED IN A PLOT TO REDUCE GLOBAL POPULATION", + "within the framework of operation covid19 who is involved with vaccines or rather chemical weapons which should reduce the population the republic of armenia is not a country where the population can be reduced armenia should immediately suspend its who membership and abandon any whobill gates programmes armenia must reject any vaccination programmes against covid19", + "https://medmedia.am/", + "FAKE", + 0, + 55 + ], + [ + "J.R. Nyquist interviewed by Mike Adams: Coronavirus, China, bioweapons and World War III", + "brace your psyche for this interview for jr nyquist lays out how the coronavirus is just the first wave of the planned communist destruction of america\nthe virus is the softening up attack and it will be followed by even more aggressive attacks that attempt to destroy america those attacks may include financial assaults military invasions nuclear weapons and a second wave of more aggressive biological weaponsjr nyquist is a remarkable historian and expert in geopolitics and the history of communism he understands how china and russia are both seeking to exterminate the united states of america so they can expand their own world domination plans to include north americathe coronavirus release was no accident and it wasnt some wild virus from bats its an engineered weapon that was designed and deployed to attack america destroy trump crash the us economy eviscerate the population and pave the way for a fullstrength assault on americaif your psyche can handle it listen to this interview it gets even more powerful in the last 15 minutes its roughly one hour in duration and a lot of the first half hour is about learning history so you can fully understand the geopolitical moves being made right now by china russia and the united statesjr nyquist is banned almost everywhere share this video and reupload to other platforms", + "http://www.banned.news", + "FAKE", + 0.16547619047619047, + 223 + ], + [ + "Updates from Dr. Vladimir Zelenko: 700 coronavirus patients treated with 99.9% success rate using Hydroxychloroquine, 1 outpatient died after not following protocol", + "in our ongoing coverage of hydroxychloroquine and how doctors have successfully used the malaria drug to treat coronavirus covid19 patients we now have new updates from dr vladimir zelenko on march 28 we published a followup story after dr zelenko a boardcertified family practitioner in new york treated 699 coronavirus patients with 100 success using hydroxychloroquine zinc sulfate and azithromycin zpakdr zelenko who goes by zev said his week has been filled with calls from media and health officials from countries including israel ukraine and russia all seeking information about his treatment some world leaders including brazils president jair bolsonaro are also talking up some of the same drugs as a cure\nnow we have the third update from dr zelenko in an exclusive interview with gregory rigano dr asher holzer and dr guy setbon dr zelenko said he has now treated 700 coronavirus patients with 999 success rate using hydroxychloroquine zinc sulfate and azithromycin zpak 694 patients recovered without hospitalization 6 required hospitalization of the 6 patients that required hospitalization 1 extubated 1 intubated 2 pneumonia patients went home and 1 outpatient died after choosing not to follow protocol", + "https://techstartups.com/", + "FAKE", + 0.25284090909090906, + 190 + ], + [ + "THERE IS NOT THE SLIGHTEST TRACE OF A CORONAVIRUS PANDEMIC", + "today who declared the coronavirus covid19 a pandemic when there is not the slightest trace of a pandemic a pandemic might be the condition when the death to infection rate reaches more than 12", + "https://southfront.org/", + "FAKE", + 0.5, + 34 + ], + [ + "Bill Gates & The Vatican Agenda. Vaccinate 300 Million By 2025. Coronavirus Vaccine & Depopulation", + "the vaccine alliance is planning to vaccinate an additional 300 million children from 2021 to 2025 bill gates and the vatican are linking up on may 14 2020 for pope franciss global education pact with world leaders us military is working to develop coronavirus vaccine print out of list of ingredients in vaccines httpssavinghealthministriescomwpbreakthrough israeli scientists say theyll have a coronavirus vaccine in just weeks opting out of vaccinations should not be an option based on some leading medical expertson tuesday maines voters will be asked in a referendum if its acceptable to allow parents to send their unvaccinated childrenmeasles vaccination becomes mandatory in germanyparents in germany must vaccinate their children against measles or face substantial fines according to a new law that takes effect this monththe controversial new regulation was approved last year after the country recorded more than 500 cases of the diseasegermanys minister of health jens spahn said education about the importance of vaccination was not enoughparents must provide proof of immunisation religious vaccine exemption bills spark debate across the united states a recent pew research center study found that more than 88 of adults support requiring healthy children to receive vaccines in order to attend school to avoid the potential risk to othershowever ongoing legislative efforts to remove religious exemptions from vaccinations have led to protests by antivaccination advocatesa bill known as sb3668 has been put before the state senate to refrain from vaccinating their children on religious grounds the legislation would additionally remove most medical exemptions for vaccines that are required to attend schoolvirginia bill would add more required vaccines for studentsa bill in virginia could add more required vaccines for studentsright now the virginia department of health requires nine vaccinations however that number could grow to 13the bill would require virginia students to receive every vaccine that the cdc recommends for childrenmaines stricter law on vaccination requirements up for a votewhen maines voters head to the polls in the presidential primaries tuesday they also will cast a vote on an issue many physicians wish had never been politicized a referendum to overturn a new law that would allow unvaccinated children to attend school only if they have received a waiver from a medical professionalthe new law which would take effect in september 2021 aims to boost immunization among schoolage children in a state where just over 5 percent of kindergartners are unvaccinated not only for medical reasons but because of their parents religious or philosophical beliefs that puts maine below the 95 percent threshold that public health officials say is necessary to stop the spread of preventable and sometimes deadly diseases like the measlesmisinformation campaigns have raised fears about the alleged dangers of immunization which extensive research has shown are unwarrantedglobal vaccine coalition unveils ambitious plan to immunize 300 million childrengavi the vaccine alliance has unveiled an ambitious plan to expand the number of doses it helps developing countries purchase aiming to vaccinate an additional 300 million children from 2021 to 2025the genevabased organization revealed to donors it needs 74 billion for its fiveyear period at an event in japan on friday local time to launch its replenishment drivegavi ceo dr seth berkley said several other major global health programs the global polio eradication initiative and the global fund to fight hiv tuberculosis and malaria among them are also undertaking funding drivesvaticans academy for life encourages parents to vaccinate children bill gates reveals his family attends catholic church vatican urged to partner with top population controllers on popes global education pact american economist and population control proponent jeffrey sachs has announced that potential funding partners for pope franciss may 2020 global education pact to create a new humanism include us billionaire philanthropist bill gates big pharma spends record millions on lobbying amid pressure to lower drug prices", + "http://archive.is/", + "FAKE", + 0.10135918003565066, + 633 + ], + [ + "Covid-19’s meant to be a new Black Death, but in Britain no more people are dying than NORMAL. What does this say about the virus?", + "many people are waking up to the fact that the covid19 pandemic is not turning out as billed when we finally emerge from it the big question will be how many people have died from the virus heres the most likely outcomeyou can bet that the institutions of international government and the experts advising them will try to massage and cherrypick statistics to present the version of events that most closely matches their worstcase scenarios the fact is according to their early predictions we are already long overdue millions of covid19 deaths that have failed to materialisebut even when covid19 deaths are recorded we have seen how it could be that people are dying with coronavirus rather than dying of it this concept is easy enough to understand and it encourages one to take a closer look at the breakdown of deaths across an entire society the more you follow this rabbit hole down the more interesting the numbers become it may be somewhat morbid but it is nonetheless very importantthe most popular twoarticles on the website of the spectator over the weekend were by dr john lee a recently retired nhs consultant and professor of pathology he remarks that we have yet to see any statistical evidence for excess deaths in any part of the worldto check this out i looked at the british governments own statistics on total deaths registered weekly across the uk it shows that in the week ending on the 8th of march 2019 10898 people died in total in the uk this year in the week ending the 6th of march 2020 the equivalent figure was almost identical 10895 make of that what you will statistics are currently available up to march 20 and while there is a lag between the spread of the virus and the resulting deaths so far only about 1 percent of all mortalities bear any relation to coronavirus and there is no visible spike if nothing else it helps to view the extent of the crisis in proportion thousands of people die each week and from the longterm view what we are seeing is not a plague but a blipso when all is said and done will any additional people die of the coronavirus and what is meant by extra or additionalrisk of dying understanding this requires a bit of lateral thinking but it helps to remember that everyone on earth has a terminal disease being alive we all have to go sometimerecording exactly how and when we do is a big part of the job of statistician professor sir david spiegelhalter in a recent blog post he outlined the concept of background risk this is obtained by recording all of the people dying in any given year at any given age at its most simple this is the percentage chance a person has of not reaching their next birthday based solely on their age of course that is not to say that if you are a 40yearold man you have precisely a 02 chance of dying this year the data are based on averages and do not apply to individualsbut nonetheless across a country or given populations the averages will be right and it is possible to predict with great accuracy how many people will die in a given year in the uk for example 600000 people die annually but wait a minute a novel brandspanking new coronavirus is terrorising us all therefore surely we can expect more people to die this year than would in a normal year and come years end we should be able with simple arithmetic to count exactly how many more there werespiegelhalter chair of the winton centre for evidence and risk communication at cambridge university wont say exactly what he does think that figure will be but he does say that if the deaths are towards the lower end of the current estimates say at around 20000 in the uk covid19 will end up having a minimal impact on overall mortality for 2020 he told r4 that his findings showed to his own professed astonishment that if someone contracts the coronavirus theyve got almost exactly the same chance of dying over the ensuing few weeks as they would normally have of dying over the next year no matter what their age or background healthand depending on who you ask that 20000 figure might still be an overestimate in fact spiegelhalter says that if extra people die it will likely be as a result of the knockon effects of the lockdown such as delayed normal health care depression and isolationamerican political commentator candace owens has been tweeting consistently about the apparent insignificance of covid19 deaths compared to overall trends she tweeted about this issue in relation to new york city where meaningless figures are being waved around by the mediafinal destination\nwith all of the numbers being bandied about these days by various universities and governments one would swear that they knew exactly what they were talking about make no mistake this air of certainty is just a front it is definitely too early to accurately gauge how many if any extra people will die because of coronavirus it will depend on how four key pieces of information intersectthese arehow many people will become infected by covid19how much does covid19 increase the risk of deathare deaths being properly recorded of those people who die having contracted coronavirus are they dying from the virus or just with itof those who died how many had comorbidities that would have killed them this year anywaysince all of this began the mainstream media have focused almost entirely on the first of these points and stressing with an onslaught of material how important it is to slow the spread the most extreme possible measures have been implemented to do that meanwhile the three other points could end up comparing covid19 pretty much to the common flu only careful consideration by governments of all the key factors will result in the best future decisionsit is hard to believe that when this all blows over the damage that will have been done by the shutdown measures to businesses to civil liberties to individual lives and of course to the global economy could have been for nothing nonetheless it seems entirely possible based on the present data remember above all to not take the figures the mainstream media throw at you at face value there are lies damned lies and statistics", + "https://www.rt.com/", + "FAKE", + 0.15181824924815582, + 1080 + ], + [ + null, + "the coronavirus will come and go but the government will never forget how easy it was to take control of your life to control every sporting event classroom restaurant table and church pew and even if you are allowed to leave your house ", + "Facebook", + "FAKE", + 0.43333333333333335, + 43 + ], + [ + "COVID-19: A Manufactured Virus In A Soros-Owned Lab To Crash The Economy?", + "the outbreak of the coronavirus covid19is much too convenient for the socialist leftists who would do anything they can to get president trump out of office the disease itself originated in wuhan the capitol of hubel province china in early december 2019 and quickly spread throughout the world in a matter of weeks the symptoms of covid19 are similar to those of the influenza strain that was already a problem in most areas of the worldmany mutated versions of the virus that makes up the non coronavirus influenza has killed more people than covid19 thus far and was considered by many experts to be much worse than covid19 just a few weeks agothat was the consensus until the corrupt world health organization labeled covid19 a pandemic and much more likely to kill people than the current flu effecting the worldthe timing of the covid19 outbreak and the negative effect on the world economy is just too convenient to ignore coming just ahead of the 2020 primary electionsthe one thing president trump has done for the us that cannot be denied by the socialist left is build and maintain a fabulous economy and make the us energy independentan accomplishment that hasnt been done in many decadesyet the number one thing covid19 is doing is crashing the stock market shutting down public events schools and having an overall disastrous effect on the economymany theorize covid19 is a manufactured germ designed to bring on a worldwide recession especially here in the us thus destroying the number one accomplishment of the presidentthe nazi nucleus based nwo socialist movement financed by george soros his billionaire buddies and managed by barack obama very well could have brought on this disaster as their nuclear option in getting president trump out of officesoros at the world economic forum in davos switzerland in 2017 vowed to take down president trump in every way possible one of his ideas mentioned included crashing the us economy before the 2020 electionssoros has investments in wuxi pharma tech who has a laboratory in wuhanit was obvious from the beginning of this election year that no democrat running was capable of beating president trump since telling the truth isnt an attribute the deep state wants to see in a democrat candidate they want bernie sanders out to make way for their chosen candidate joe biden who by the way is as deep state as they comeunfortunately biden is not mentally capable of being president as his mental state seems to be deteriorating with each passing dayas it is he doesnt even know what city he is speaking in most of the time what position he is running for or even know his own wife standing next to himwith this in mind it isnt going to be biden who will be president because he is incapable of doing the job the person he chooses as his vice president will be the individual who is actually presidentin a few months after getting elected president if he does biden will resign", + "https://sonsoflibertymedia.com/", + "FAKE", + 0.06330749354005168, + 504 + ], + [ + "Coronavirus: US biological warfare against Russia and China", + "washington benefits from new sars unsettling major competitors prior to the advent of the 2019ncov coronavirus the socalled first package of the uschina trade agreement which was signed on behalf of the celestial empire by vicepremier of the state council of the prc liu he was a tactical move that would allow china to take a break and there is the presidential election in the united states and it remains to be seen whether donald trump will be able to gain a foothold in the oval office for a second term but it looks like a malicious virus that has matured either in the stomachs of bats or in a snakes gut has confused all the cards to a friend xi jinpingagainst the background of alarming reports from the chinese province of hubei when this material was being prepared more than 45 thousand people fell ill with pneumonia and 106 died and these are not final numbers auth copper and iron ore prices collapsedcopper cheaper ten days in a row and yesterday the price fell by 15 up to 58345 dollars per ton iron ore futures are falling in price on tuesday at the singapore auction they offered 85 dollars per ton a decrease of 64 but as bloomberg predicts 80 per tonne is not such a distant prospect prices for black gold also plummeted april futures for the north sea brent oil mix were already trading below 58 per barrelat the same time the fitch rating agency cautiously reports that the spread of coronavirus will first of all have a negative impact on the economies of thailand vietnam and singapore since in these countries the most vulnerable regions to the epidemics are tourism and the service sector the statement is indisputable everyone will get it and yet china presumably is more than others since it is the chinese economy that is the main consumer of both metals and energy resources and tourism with services is not the last source of replenishment of the treasury and since the prices of these goods went down the chinese economy also caught the virus and its easier to negotiate with a sick client which is well known even without trumpit is noteworthy that 2019ncov got to the american technological giant apple whose production facilities are located just 500 kilometers from the homeland of the coronavirus the wuhan metropolis and now according to the nikkei asian review the production of popular iphone smartphones is in jeopardy starbucks also found itself in a difficult situation which due to quarantine had to close a large half of its four thousand coffee houses operating in china by the way this is the second largest market after the united states but at the same time the americans for some reason do not look like such victims of the epidemic especially apple whose leadership at the very beginning of the trade and economic confrontation with china advised to evacuate production facilities in the united states it seems as if president trump saw everything in advance like wolf messing or old wang however both apple and starbucks were really out of luck you cant say the same about the american political establishment which is making titanic efforts to bring to its knees the presumptuous china and why should these efforts necessarily be economic in nature the main question is who benefits from another sars unsettling a competitor if we apply the wellknown trick highly likely unceremoniously used by the british exprime minister theresa may to hang the socalled skripals poisoning in russia then the answer is obvious the coronavirus epidemic 2019ncov which hit china is highly likely on the hand of the united states and the worse for beijing the better for washington moreover the outlook for the epidemic is not yet encouraging for example some experts argue if the spread of 2019ncov cannot be stopped up to 250 million chinese can become victims of the virus which is almost two in number in russiaby the way about the prospects the cepi global vaccine coalition has reportedly invested a total of 125 million in three projects in which researchers are ready to expeditiously develop the 2019ncov vaccinescientists from the australian university of queensland as well as two american biotechnology companies inovio and moderna participate in the work the american national institute of allergy and infectious diseases niaid is also involved and it seems that microbiologists from hong kong have already developed a vaccine against the new coronavirus as professor of hong kong university ewan kwokjung hastened to inform the newspaper south china morning post but her research he claims could take more than a year german shipulin the deputy director of the center for strategic planning of the russian ministry of health does not promise an imminent victory over 2019ncov so the hands of the coronavirus 2019ncov can be considered as yet untied and there are suspicions that the united states may be involved in this epidemic in the russian media this assumption has already been made\nus operations as part of a biological warfare against the entire planetas a result of the dengue epidemic in cuba from 19781981 up to 500 thousand people were affected fidel castro said this was the result of an american biological attack washington did not confirm or refute the allegations of the cuban leaderpentagon bio laboratories exist in 25 countries around the world they are funded by the military threat reduction agency under a 21 billion military program the joint biological interaction program includes laboratories located in the countries of the former soviet union such as georgia ukraine azerbaijan uzbekistan and kazakhstan as well as in the middle east southeast asia and africa washington did not confirm or refute this databy the location of these biological laboratories we can confidently indicate the four countries and territories against which the american biological threats are now directed these are russia iran china and the countries of central and west africa washington did not confirm or refute this datathe american company ch2m hill under contracts for the pentagon biolaboratories in georgia uganda tanzania iraq afghanistan southeast asia was funded in the amount of 3415 million of this amount almost half 1611 million was allocated for research in lugar center in tbilisi washington did not confirm or refute this dataits subcontractor the private company battelle has worked in pentagon bio labs in afghanistan armenia georgia uganda tanzania iraq afghanistan and vietnam battelle conducts research development testing and evaluation of the use of both highly toxic chemicals and highly pathogenic biological agents for a wide range of us government agencies the company entered into federal contracts totaling 2 billion and ranks 23rd in the list of 100 best us state contractors washington did not confirm or refute this datathe pentagon has a very long history of using insects as carriers of disease according to a partially declassified us army report of 1981 american scientists conducted a series of experiments on insects these operations were part of the us entomological war as part of a biological weapons program washington did not confirm or refute this datathe report reported two scenarios 16 simultaneous attacks on the city by a aegypti mosquitoes infected with yellow fever as well as tularemia aerosol attack and assessed their effectiveness in cash and loss of life the results were very cynical pentagon experts were able to kill 625 thousand people at a cost of 029 per unit washington did not confirm or refute this dataoperation big itch field trials were carried out to determine the coverage and survivability of tropical rat fleas xenopsylla cheopis for use as a disease carrier in biological warfare in ashington neither confirmed nor refuted this informationoperation big buzz 1 million a aegypti mosquitoes were raised one third of them were placed in ammunition dropped from aircraft and scattered on the ground mosquitoes survived in the air and actively sought human blood washington did not confirm or refute this dataoperations on military experiments with tropical mosquitoes and ticks in georgia these types of mosquitoes and fleas which were studied in the past as part of the us entomological war program were imported into georgia and tested at the lugar center washington did not confirm or refute this dataanthrax is one of the biological agents in service with the us army not only in the past despite pentagon claims that this program is only defensive there are facts to the contrary in 2016 at the lugar center american scientists conducted the study genome sequence of the soviet russian bacillus anthracis vaccine strain 55vniivvim the sequence of the soviet russian anthracite cancer vaccine in russia which was funded by the us agency for biological weapons sharing program threat reduction dtra in tbilisi and implemented by metabiota washington did not confirm or refute this datacongocrimean hemorrhagic fever cchf is caused by the tickborne virus nairovirus nairovirus the disease was first described in crimea in 1944 and was called crimean hemorrhagic fever later it caused an epidemic in the congo in 1969 in 2014 34 people were infected with the cchf including a 4yearold child three of whom died pentagon biologists are currently studying the virus in georgia as part of the dtra project epidemiology of febrile illnesses caused by dengue viruses and other arboviruses in georgia the project included trials on patients with fever symptoms and collection of ticks as possible distributors of cchv for laboratory analysis washington did not confirm or refute this datasimilar cchv outbreaks occurred in afghanistan where there are 3 pentagon bio labs as of december 2017 237 cases of cchv were reported in this country 41 of which were fatal washington did not confirm or refute this databats are also being investigated as a carrier of various diseases at the lugar center which scientists say are carriers of the ebola virus middle east respiratory syndrome mers and other deadly diseases as of june 2017 1980 cases were recorded with 699 deaths in 19 countries worldwide caused by merscov this virus is designed and manufactured in the usa washington did not confirm or refute this dataanother weapon of bioterrorism is according to a 1981 us army report tularemia developed in the usa or rabbit fever new tularemia carriers such as ticks and rodents are currently being developed dtra has launched a number of projects on tularemia and in georgia at the lugar center highly pathogenic agents edp can be used for military purposes washington did not confirm or refute this data\nukraine itself does not have control over military biological laboratories on its territory under the 2005 agreement between the us department of defense and the department of health of ukraine the ukrainian government is prohibited from publicly disclosing confidential information about the us program ukraine is also required to transfer all dangerous pathogens to the us department of defense for biological research under this agreement the pentagon was granted access to many state secrets of ukraine washington did not confirm or refute this datathe pentagon has invested at least 65 million in gene editing research the us department of defense advanced research projects agency darpa has provided seven research teams to develop tools for altering the genome of insects rodents and bacteria through the darpa safe gene program using new crisprcas9 technology washington did not confirm or refute this datathe worst biological weapon that may have already been used and possibly used in russia is again perhaps used against the enemy of the usa china until recently ethnic biological weapons biogenetic weapons were theoretical weapons the purpose of which is first of all to harm people of certain ethnic groups or genotypes russians chinese etc although officially the research and development of ethnic bioweapons has never been publicly confirmed documents show that the united states collects biological materials from certain ethnic groups russians and chinese american national socialism in its purest formus air force specifically collects samples of russian dna and synovial tissue which causes concern in moscow about a hidden american program for the use of biological weaponssenator franz klintsevich commented on the words of president vladimir putin about the purposeful collection of russian biomaterial in the west everything is done very scrupulously and verified to the smallest detail if we use biological weapons then surely the relevant services in the west should know that we are aware of their interest let those who are engaged in this work on the territory of the russian federation not be offended and it cannot be said that such suspicions have no reason as you know the united states ratified the geneva protocol and the biological weapons convention back in 1975 but the biological games overseas have not stopped and not only in the national territory already after the collapse of the ussr american biological laboratories appeared which is precisely established in georgia ukraine kazakhstan azerbaijan and uzbekistan where else except that the state department knows that it is they say absolutely peaceful organizations involved in the development of medicines but if they are so peaceful then why one wonders did the americans build them not at home but at the other end of the worldand the participants of the visiting american biological project are very specialized for example the us army institute of infectious disease medical research usamriid fort detrick the military threat reduction agency dtra which is a division of the pentagon the central asian and caucasian biosafety association which monitors the biological potential of the cis countries the biological threat reduction program nunnlugar program and so oncomments as they say are unnecessary not so long ago the ministry of defense of the russian federation analyzed documents on the activities of the socalled health center that the americans built in georgia and came to the conclusion in fact this is a death factory which killed 73 people who were used by overseas biologists as experimental rabbits but the fact of the matter is that american biolaboratories are scattered not only around russia but also around the world where america has its own interestsand another question where did the 2019ncov coronavirus originate in a bat or in some american health center where is it more highly likely", + "https://zvezdaweekly.ru/", + "FAKE", + 0.022969209469209464, + 2366 + ], + [ + "THE CORONAVIRUS PANDEMIC IS A TURNING POINT IN HISTORY: WORLD ORDER IS FALLING", + "the world coronavirus pandemic is a turning point in world history not only are stock indices and oil prices collapsing the world order itself is falling we are living in the period of the end of liberalism and its obviousness as global metanarrative the end of its measures and standards human societies will soon become free floating no more dogmas no more dollarimperialism no more free market spells no more fed dictatorship or global stock exchanges no more subservience to the world media elite each pole will build its future on its own civilizational foundations it is obviously impossible to say what this will look like or what it will lead to however it is already clear that the old world order is becoming a thing of the past and quite distinct contours of a new reality are emerging before us\nwhat neither ideologies nor wars nor fierce economic battles nor terror nor religious movements have been able to do has been accomplished by an invisible yet deadly virus it brought with it death pain horror panic sorrow but also the future", + "https://www.geopolitica.ru/", + "FAKE", + 0.03921911421911422, + 182 + ], + [ + "the U.S. Department of Homeland Security preparing to mobilize the National Guard to enforce a nationwide quarantine", + "hello family just got this from my contact at fema\nplease take heed\nhomeland security is preparing to mobilize the national guard\npreparing to dispatch them across the us along with military\nthey will also call in 1st responders\nthey are preparing to announce a nationwide\n2 week quarantine for all citizens\nall businesses closed\neveryone at home\nthey will announce this as soon as they have troops in place to help prevent looters and rioters\nthey will announce before the end of the weekend\nwithin 48 to 72 hours the president will evoke what is called the stafford act\nthe president will order a two week mandatory quarantine for the nation\nstock up on whatever you need to make sure you have a two week supply of everything\nplease forward to your familyfriends", + "http://archive.is/", + "FAKE", + 0.09999999999999999, + 134 + ], + [ + "Robert F Kennedy Jr. Exposes Bill Gates’ Vaccine Agenda In Scathing Report", + "bill gates vaccines are strategic philanthropy that feeds his many vaccinerelated businesses including microsofts ambition to control a global vaccination id enterprise and gives him dictatorial control of global health policygates obsession with vaccines seems to be fueled by a conviction to save the world with technologypromising his share of 450 million of 12 billion to eradicate polio gates took control of indias national technical advisory group on immunization ntagi which mandated up to 50 doses table 1 of polio vaccines through overlapping immunization programs to children before the age of five indian doctors blame the gates campaign for a devastating nonpolio acute flaccid paralysis npafp epidemic that paralyzed 490000 children beyond expected rates between 2000 and 2017 in 2017 the indian government dialed back gates vaccine regimen and asked gates and his vaccine policies to leave india npafp rates dropped precipitouslyin 2017 the world health organization who reluctantly admitted that the global explosion in polio is predominantly vaccine strain the most frightening epidemics in congo afghanistan and the philippines are all linked to vaccines in fact by 2018 70 of global polio cases were vaccine strainsouth african newspapers complained we are guinea pigs for the drug makers nelson mandelas former senior economist professor patrick bond describes gates philanthropic practices as ruthless and immoral during gates 2002 menafrivac campaign in subsaharan africa gates operatives forcibly vaccinated thousands of african children against meningitis approximately 50 of the 500 children vaccinated developed paralysis", + "https://www.citadelpoliticss.com/", + "FAKE", + -0.05500000000000001, + 241 + ], + [ + "CORONA UNMASKED: Chinese Intelligence Officer Reveals True Magnitude of China’s Fake “Coronavirus” Crisis", + "corona unmasked chinese intelligence officer reveals true magnitude of chinas fake coronavirus crisis", + null, + "FAKE", + -0.05000000000000001, + 13 + ], + [ + "CORONAVIRUS OUTBREAK IN EUROPE: CRIMINAL NEGLIGENCE OR PREPLANNED ACTION", + "there is little doubt that the coronavirus threat is overestimated by mainstream media and governemnts covid19 is in fact an ordinary viral disease with a slightly higher mortality from complications for people of old age or peopel with weakened immunity another open secret is that the current hysteria over the outbreak is being successfully used by some players to achieve their own economic and geopolitical goals looking at the current situation in europe one could suppose that some forces have seized an opportunity and are now fueling the coronavirus crisis intentionally", + "southfront.org", + "FAKE", + 0.09659090909090909, + 91 + ], + [ + "USA Government a Republic, Coronavirus caused by 5G, Oprah raided, 10 Days of Darkness Intel & more", + "i have so much valuable and exciting news to share with the collective starting with the government no longer a usa corporation i am giving an update on the coronavirus situation so people stop panicking and also giving you natural remedies to protect yourself celebrities who have covid19 are guilty of consuming tainted andrenochrome supplies find out when to prepare for the 10 days of darkness ", + "http://archive.is/", + "FAKE", + 0.019999999999999997, + 66 + ], + [ + "5G TECHNOLOGY IS COMING – LINKED TO CANCER, HEART DISEASE, DIABETES, ALZHEIMER’S, AND DEATH", + "the new fifth generation 5g cellular system that is being installed in major american cities such as dallas atlanta waco texas and sacramento 1 3 will intensify the microwave radiation health risks for everyone living in those citieseleven more cities targeted for 5g deployment this yearthe new 5g cell systems that verizon and att are planning to install in other cities in 2018 1 3 will use shorter length microwaves than the existing 4g fourth generation systems new generation cell phones will be able to communicate with either 5g or 4g microwave towers to optimize connectivity copper phone lines will be replaced with 5g rooftop antennas on homes and businesses these antennas will communicate with 5g cell towers and with the wireless equipment in homes and offices to provide phone and broadband services5g will be the foundation for the smart cities of the futurethe safety of 5g has not been testedthe microwave frequencies that are being used in this new generation 5g system are in the 1millimeter wave lengththe longterm health risks of these short microwaves have not been adequately tested and the federal communications commission fcc and telecom companies are simply presuming that they are safe based on 1996 researchnew research reveals harmful effects of cellular systems research on microwave frequency radiation conducted since 1996 shows that the existing 3g and 4g cellular systems are causing serious harm to human healththe 5g systems will increase the level of harm to the level where illness and death can no longer be deniedharmful effects are cumulativewe now know that the development of cancer heart disease diabetes alzheimers and numerous other diseases and disabling symptoms are linked to the cumulative effects of microwave radiationcellular systems are pushing microwave radiation into our bodies and brains 24 hours a day regardless of whether we use a cell phone or even own one a million or more new 5g towers will be erected in american cities the 5g towers will be spaced approximately 500 feet apart and will be highly visible eyesoresthe small cell transmitters will be mounted on top of electric utility poles municipal buildings schools and in city parks on top of street signs bus shelters and anywhere else telecom companies wishn low lying areas they might need to erect new towers that are taller than electric utility poles to accomplish their objectives refrigerator size electrical boxes will be attached to each transmission tower if you happen to be in an area with underground electric service then they will erect new towers that use the underground electrical linesif you live or work in a densely populated area where electrical poles are very close to buildings then you might have a 5g cell tower located a few feet from your place of employment or your bedroom it is estimated that the daily microwave exposure generated by the 5g system will be equivalent to living inside a microwave oven and turning it up to high and baking yourself for 19 minutes a daytelecom companies hold the upper hand on 5g tower placement fcc regulations 11 make it illegal for government entities to try to delay or stop cell tower installation on the basis of health riskstelecom companies can sue cities and states that attempt to use health concerns to impede their cell tower building plans\nhow harmful is 5g can we stop itthe remainder of this article provides detailed information about the health risks of 5g and explains why the public and government entities cannot stop the rapid buildout of the 5g system despite the massive health risksit will link you to efforts in your state where telecom companies are seeking to enact legislation that will strip away all rights to object to cell tower placement on any basismy previous articles on microwave radiation dangers will provide background information to those who are not familiar with this topic please visit\nnew 5g cell towers and smart meters to increase microwave radiation invade privacysmart meters countdown to a national crisis of illness and death", + "https://www.wakingtimes.com/", + "FAKE", + 0.09313429324298891, + 668 + ], + [ + null, + "yup its a bioweapon at least eight strains of the pathogen have been identified indicating that it has amended itself several times since patient zero was presumably infected at a wet market in wuhan china late last year", + "https://thedonald.win/", + "FAKE", + -0.13999999999999999, + 38 + ], + [ + "Coronavirus & 5G", + "is there a connectionalert preliminary research by dr magda havas phd shows an apparent connection in the united states between 5g more covid19 cases and covid19 deathscovid19 cases per million are 95 higher and covid19 deaths per million are 126 higher in states with 5g in august 2019 a host of prominent scientists warned that the scientific literature provided strong evidence for 5gs microwave and millimeter wave emissions to have a systemic effect on immune function and accelerated viral replication in a formal review article at this writing an increasing number of scientists and lay people feel there may be a link to 5g coronavirus the scientists warnings were ignored by industry and govt last summer and this status persists even now in march 2020 when we are in the midst of a pandemic following the initial rollout of 5g in china with wuhan china hubei province being the epicenter of both the 5g rollout and where the covid19 coronavirus broke out in dec 20195g infrastructure exposures lower our immune system as does wireless exposures to microwave radiation 5g frequencies cause accelerated viral replicationwuhan china is the worlds first smart city with 10000 small cells deployed and activated in the last 25 months of 2019 which is exactly when this covid19 coronavirus outbreak occurredcan the association be proven do we have time and capacity to do so in the face of this world emergency neither is likely though we have no doubt this factor will be investigated and discussed for years to comehowever we can take meaningful precautionary prudent action based on this information in order to potentially slow the effect of coronavirus at the very least we strongly suggest that under the current state of emergency in many nations states and locales all 5g infrastructure should be deactivated and halted using an abundance of caution all 5g satellites being deployed should be deactivated and halted please also consider turning off and reducing use of as much personal and commercial wireless as possible", + "http://www.electrosmogprevention.org/", + "FAKE", + 0.13163809523809522, + 333 + ], + [ + "SOONER OR LATER, AMERICANS WILL HAVE TO CHOOSE BETWEEN FREEDOM OR A VACCINE WITH A MICROCHIP", + "in order to return to normality a possible requirement besides social distancing will be mandatory participation in a global vaccination programme underwritten by the bill and melinda gates foundation the big pharma and many other supposed philanthropists efforts to introduce a vaccine containing nanotechnology to mark and keep those injected under surveillance received a big boost with bill gates at its head", + "https://es.news-front.info/", + "FAKE", + 0.058333333333333334, + 62 + ], + [ + "Who Made Coronavirus? Was It the U.S., Israel or China Itself?", + "the most commonly reported mainstream media account of the creation of the coronavirus suggests that it was derived from an animal borne microorganism found in a wild bat that was consumed by an ethnic chinese resident of wuhan but there appears to be some evidence to dispute that in that adjacent provinces in china where wild bats are more numerous have not experienced major outbreaks of the disease because of that and other factors there has also been considerable speculation that the coronavirus did not occur naturally through mutation but rather was produced in a laboratory possibly as a biological warfare agentseveral reports suggest that there are components of the virus that are related to hiv that could not have occurred naturally if it is correct that the virus had either been developed or even produced to be weaponized it would further suggest that its escape from the wuhan institute of virology lab and into the animal and human population could have been accidental technicians who work in such environments are aware that leaks from laboratories occur frequently\nthere is of course and inevitably another theory there has been some speculation that as the trump administration has been constantly raising the issue of growing chinese global competitiveness as a direct threat to american national security and economic dominance it must might be possible that washington has created and unleashed the virus in a bid to bring beijings growing economy and military might down a few notches it is to be sure hard to believe that even the trump white house would do something so reckless but there are precedents for that type of behavior in 20059 the american and israeli governments secretly developed a computer virus called stuxnet which was intended to damage the control and operating systems of iranian computers being used in that countrys nuclear research program admittedly stuxnet was intended to damage computers not to infect or kill human beings but concerns that it would propagate and move to infect computers outside iran proved to be accurate as it spread to thousands of pcs outside iran in countries as far flung as china germany kazakhstan and indonesiainevitably there is an israeli story that just might shed some light on what has been going on in china scientists at israels galilee research institute are now claiming that they will have a vaccine against coronavirus in a few weeks which will be ready for distribution and use within 90 days the institute is claiming that it has been engaged in four years of research on avian coronavirus funded by israels ministries of science technology and agriculture they are claiming that the virus is similar to the version that has infected humans which has led to breakthroughs in development through genetic manipulation but some scientists are skeptical that a new vaccine could be produced so quickly to prevent a virus that existed only recently they also have warned that even if a vaccine is developed it would normally have to be tested for side effects a process that normally takes over a year and includes using it on infected humansif one even considers it possible that the united states had a hand in creating the coronavirus at what remains of its once extensive biological weapons research center in ft detrick maryland it is very likely that israel was a partner in the project helping to develop the virus would also explain how israeli scientists have been able to claim success at creating a vaccine so quickly possibly because the virus and a treatment for it were developed simultaneouslyin any event there are definite political ramifications to the appearance of the coronavirus and not only in china in the united states president donald trump is already being blamed for lying about the virus and there are various scenarios in mainstream publications speculating over the possible impact on the election in 2020 if the economy sinks together with the stock market it will reflect badly on trump whether or not he is actually at fault if containment and treatment of the disease itself in the united states does not go well there could also be a considerable backlash particularly as the democrats have been promoting improving health care one pundit argues however that disease and a sinking economy will not matter as long as there is a turnaround before the election but a lot can happen in the next eight monthsand then there is the national securityforeign policy issue as seen from both jerusalem and washington it is difficult to explain why coronavirus has hit one country in particular other than china very severely that country is iran the oftencited enemy of both the us and israel the number of irans coronavirus cases continues to increase with more positive tests confirmed among government officials last saturday there were 205 new coronavirus cases bringing the government claimed total to 593 with 43 fatalities though unofficial hospital reports suggest that the deaths are actually well over 100 thats the highest number of deaths from the virus outside of chinano less than five iranian members of parliament have also tested positive amid a growing number of officials that have contracted the disease irans vice president masoumeh ebtekar and deputy health minister iraj harirchi had also previously been confirmed with the virusthe usual suspects in the united states are delighted to learn of the iranian deaths mark dubowitz executive director of the washingtonbased but israeli government connected foundation for defense of democracies fdd boasted on twitter tuesday that coronavirus has done what american economic sanctions could not shut down nonoil exports an iranian government spokesman responded that its shameful and downright inhuman to cheer for a deadly virus to spread and enjoy seeing people suffer for it dubowitz followed up with an additional taunt that tehran has spread terrorism in the middle east and now its spreading the coronavirusso you have your choice coronavirus occurred naturally or it came out of a lab in china itself or even from israel or the united states if one suspects israel andor the united states the intent clearly would have been to create a biological weapon that would damage two nations that have been designated as enemies but the coronavirus cannot be contained easily and it is clear that many thousands of people will die from it unfortunately as with stuxnet once the genie is out of the bottled it is devilishly hard to induce it to go back in", + "https://www.strategic-culture.org/", + "FAKE", + 0.0496414617876882, + 1081 + ], + [ + "Pandemic Reveals Alarming Absence of Ethics in China’s Virology Labs: Experts", + "the ccp virus pandemic highlights a history of mismanagement corruption and lack of ethics in chinas virology labs experts say questions have grown as to the source of the coronavirus that has claimed over 197000 lives and infected more than 28 million around the world as of april 25 according to a count from johns hopkins but the real number of infected and killed is unconfirmed due to the lack of accurate data from chinaone widely circulated theory is that the ccp virus was manufactured inside the wuhan institute of virology something the chinese regime has deniedregardless experts say the investigations into chinas research on coronaviruses point to a lack of ethics in chinas virology labs the root cause of which is the absolute control of the ccp over these institutesfor many years virologists working in western countries have imagined that their chinese colleagues operate under the same ethical guidelines that they do steve mosher president of the conservative human rights charity population research institute said in an email certainly the written rulescopied from western countrieslook identical but in terms of actual behavior the practices are quite different everything in china is driven by the political needs of the ccp said mosherissue of ethics with chinas coronavirus research\ntheories about the ccp virus escaping from the lab originate from the fact that patient zero was infected with the novel coronavirus in wuhan where a highly rated researcher dr zhengli shi had performed gainoffunction research on the sars virus in the institutegainoffunction research involves deliberately enhancing the transmissibility or virulence of a pathogen the us administration paused funding on certain kinds of this gainoffunction research in 2014 and lifted it only in 2017 with an emphasis that a thoughtful review process laid out by hhs be followedshi also popularly known as the bat woman in china for her research on the winged mammals had stored bats known to carry coronaviruses inside the wuhan institute of virologythe risks involved in gainofinterest research came under debate in an article published in nature in 2015 that discussed a chimeric virus that was found to infect humans after it was created in a lab by genetic engineering between horseshoe bats in china and the sars virus by an international group of virologists including shi if the virus escaped nobody could predict the trajectory simon wainhobson a virologist at the pasteur institute in paris told nature at the time though its not certain whether the chimeric virus was stored in shis lab in wuhan the case highlighted the risks involved in such research nature recently published a disclaimer saying there is no evidence indicating it was the cause of the current pandemicus secretary of state mike pompeo said on the larry oconnor show on april 23 that the united states is constantly evaluating such highrisk facilities around the world that research viruses to make sure all safety measures are followed there are many of those kinds of labs inside of china and we have been concerned that they didnt have the skill set the capabilities the processes and protocols that were adequate to protect the world from potential escape said pompeoallegations of sale of animals from lab to market one theory is that somehow the coronavirus came from the huanan seafood market in wuhan as a result of the pathogen jumping to humans from contaminated meat obtained from chinas research labs researchers from these labs allegedly sell their leftovers after they are done experimenting on the animals experts interviewed by the epoch times for this story have expressed concerns about this practice due to reports of corruption inside chinese labs they fear it could be a channel of virus transmission a group of bipartisan american lawmakers expressed their concerns in a letter pdf to the world health organization and the food and agriculture organization calling for a global shutdown of live wildlife markets after theories of the pandemic originating from the wet market came to the forea recent case of such corrupt practices was reported by the epoch times chinese edition ning li a professor from china agricultural university was sentenced to 12 years in jail in february for selling animals from his wuhan lab of the 37 million chinese yuan 522000 li earned from his crimes over 1 million chinese yuan 141000 was from selling animals or milk used by the lab including pigs and cows sean lin a former virology researcher for the us army said such crimes are difficult to bring to justice inside china even if people want to expose some institute staff or leaders selling experiment animals to the markets their voice could be easily quenched by the institute leadership in the name of safeguarding the reputation of the institute he saidwendy rogers an australian expert in practical bioethics and one of natures top 10 people who mattered in science in 2019 said via email that such a culture further encourages corrupt practices inside these chinese labs there is widespread toleration of corruption in china which encourages citizens to get away with unethical or illegal acts if they can especially if by doing so they can make extra income said rogers the system will become more closed when asked if the pandemic will force the chinese regime to become more transparent to the international community on its virology research mosher said he doesnt believe that will happenthe reaction of the ccp will be to become less transparent and less ethical by hiding more and more of what it does from the scientific community by putting more and more barriers in place to publication and international cooperation he saidthe system will become more closed rather than more open this is after all the natural state of a hightech bureaucratic totalitarian state mosher added saying that those doctors and researchers who tried to be transparent about the ccp virus have been punished and censoredthose who have been willing participants in the web of lies spun by the central authorities have been feted and promoted thus the lack of ethics grows said mosherlin pointed out that people in china dont have freedom of speech and during the pandemic and even doctors and nurses couldnt come out in the open to talk about the outbreak or the lack of medical supplies to the public media or scientific journalsthe world also needs to investigate whether wuhan institute of virology together with chinese military medicine units have been conducting bioweapon development projects even though the ccp pledged not to do so by signing the biological weapon convention in 1985 lin added", + "https://www.ntd.com/", + "FAKE", + 0.07989799472558094, + 1094 + ], + [ + "“What are the odds?” – A timeline of facts linking COVID-19, HIV, & Wuhan’s secret bio-lab", + "having been permanently banned from twitter for sharing the publiclyavailable details of the man who ran the show as far a batsoup virology in wuhans supersecret biolab which is now a common talking point and rapidly shifting from conspiracy theory to conspiracy fact we thought a reminder of how we got here was in orderarticle by tyler durden republished from zerohedgecomscott burke ceo of cryptorelated firm groundhog unleashed what we feel may be the most complete timelines of facts to help understand the controversial links between covid19 and hiv and covid19 and wuhan institute of virologywant to go down a strictly factbased rabbit holehere is the full slightlyeditedforformatting twitter thread a disclaimer i am not a virologist this is me synthesizing what we have learned since the outbreak began and reviewing public scientific papers i believe each of the following statements is a solid fact backed up by a citation i also want to say that i understand some people are worried about blame being cast for this outbreak obviously we are all in this together and my intention here is not to cast blame these links overwhelmingly compel further scrutiny but are not conclusivei do think however that information is being downplayed and suppressed by some scientists and media outlets and its our duty to find out the facts about this virus do what we can to mitigate the outbreak and prevent it from happening againreadyso theres original sars which is a type of coronavirus sars infects cells through the ace2 receptor in hoststhe s spike protein plays a key role in how the virus infects cells each of the little spikes that surround the coronavirus is a spike protein or s protein thats what gives the coronavirus its name its crown of these spikesthe s protein binds to the targeted cell through the ace2 receptor and boom your cell is infected and becomes a virus replication factoryafter the first sars outbreak there was a land rush to find other coronaviruses a collection of sarslike coronaviruses was isolated in several horseshoe bat species over 10 years ago called sarslike covs or slcovs not sars exactly but coronaviruses similar to sarsin 2007 a team of researchers based in wuhan in conjunction with an australian laboratory conducted a study with sars a sarslike coronavirus and hiv1the researchers noted that if small changes were made to the s protein it broke how sarscov worked it could no longer go in via ace2 so they inferred the s protein was critical to the sars attack vector they also predicted based on the sace2 binding structure that sarslike covs were not able to use this same attack method ace2 mediationthey decided to create a pseudovirus where they essentially put a sarslike cov in a hiv envelope it workedusing an hiv envelope they replaced the rbd receptor binding domain of slcov with that of sarscov and used it to successfully infect bats through ace2 mediation12 years goes bya sarslike cov begins sweeping the globe that is far more infectious than previous outbreaksground zero for this outbreak not first human patient but first spreading event is considered to be wuhan seafood marketwuhan seafood market is 20 miles from the national biosafety laboratory at wuhan institute of virologyamidst the outbreak a team of indian bioinformatics specialists at delhi university released a paper preprint covid19 has a unique sequence about 1378 nucleotide base pairs long that is not found in related coronaviruses they claimed to identify genetic similarities in this unique material between covid19 and hiv1 specifically they isolated 4 short genetic sequences in key protein structures the receptor binding domain or rbdtwo of the sequences were perfect matches albeit short and two of the sequences were matched but each with an additional string of nonmatching material appearing in the middle of the sequencethe paper was criticized and numerous attempts have been made to debunk it after the criticism the authors voluntarily withdrew it intending to revise it based on comments made about their technical approach and conclusionsone key debunking attempt claims thisthe same sequences are found in a variant called betacovbatyunnanratg132013 which had been found in the wild in batsthis is an attempt to prove that it was not engineered but mutated naturally in the wildbut theres a problemthis strain was only known by and studied at the wuhan virology institute and although they claim it was discovered in 2013 it wasnt published or shared with the scientific community until immediately after the indian paper on january 27 2020the ratg13 strain publication and the hiv research paper from 2008 share an authori discovered this on my own by comparing the two papers and then quickly realized this scientists contact information was the information that zerohedge was suspended from twitter for sharingtheir article identifies this author in question including some contact information from the wuhan virology institute web siteyou can read the public comments and discussion of the original paper herethere is a line of inquiry about how the sequences are remarkably stable in between the bat cov and the ncov where in nature they would likely have mutated in between their shared evolution also a call for greater scientific evidence that the strain was collected in the wildhere is the only point in this thread where i will offer my opinion rather than a list of facts in light of all the previous facts the efforts to debunk the paper are not yet convincing in my view the ratg13 paper makes the claim that oh that hivrelated material you identified that happens to protein fold to become a perfect attack vector for ncov to attack ace2its a relative of this other secret virus which came from the wild which we forgot to tell the scientific community about until now for no reasonheres the secret virus it came from bats and heres the new virus see they have the same hivrelated sequences so batstotally not secret pathogen research which escaped the lab what are the odds that a sarslike coronavirus with overlapping genetics from hiv mutated and crossed over into humans next door to a laboratory which had been enhancing coronavirus with hiv for over a decade and conversely what are the odds it leaked out of the laboratoryfinally there is a great thread here by trevor bedford trvrb examining the evidence for and against with key replies challenging the conclusions made as welllets learn what do you think maybe im wrong can anyone disprove any of the links in the chain above one thing is for sure the science behind all this is fascinating but we need to make sure that if viruses are being secretly developed and accidentally released that we learn about that and do our best to make sure it doesnt happen again", + "http://www.banned.news", + "FAKE", + 0.13433303624480095, + 1129 + ], + [ + "EVENT 201: COVID-19 WAS LAUNCHED ONE MONTH AFTER THE JOHNS HOPKINS CENTER AND BILL GATES HOSTED AN ‘INVITATION ONLY’ GLOBAL PANDEMIC EXERCISE", + "bill gates hosted a closeddoor meeting for global elites and the invitation came with a covid19 coronavirus plush toy a few months later thousands would be dead welcome to the new world orderwhat i am about to show you is so unbelievable so infused with conspiracy theory that your mind will immediately reject it yet the information is 100 true and taken from johns hopkins own website let me take you back to the evening of october 18 2019 to a gathering entitled event 201 something johns hopkins calls a global pandemic exercise of course it was invitation only and held behind closed doors the financing for this event came from none other than the bill gates foundationto everyone who attended they were given a cute and cuddly covid19 plush toy the very one you see in the photo at the top of this article can you imagine what kind of sickminded marketing people could conceive of a coronavirus stuffed animal wake up people the new world order is not playing around and yes they have no qualms of any kind about creating a plush toy out of a killer virus that to date has infected 181377 people and has killed 7118 people and they best part they proudly display these statistics on the official johns hopkins website click here to see it for yourself i wonder if they have any of those cute and cuddly coronavirus plushies leftthe fact that bill gates was a host of this event surprises no one who is a regular reader of nteb no sir take a lookin 1999 gates gave over 20 million dollars to johns hopkins to establish a wing of the hospital where the foundation was born this foundation has always hidden behind the mantra of health and help for women in third world countries the thrust of the foundation has been working with the big pharma companies to create vaccines for the masses in these impoverished countriesfor years weve been watching as microsoft founder bill gates now retired from the company he founded use his billions to give free vaccinations to people in third world countries now bill has become a founding partner in another company this one is called the id2020 alliance and its goal is to give every human being on earth a digital id how do they plan on accomplishing this feat by combining mandatory vaccinations with implantable microchips genius isnt it and coming soon to a theater near you as the saying goesthe participants of event 201 invited there by the rich and powerful elites that rule the world sat and wargamed how an outbreak of covid19 coronavirus might go looks like the meeting was a success because just one month to the day later the first case of covid19 was reported in china and well you know the rest\nevent 201 and the current covid19 coronavirus outbreak from johns hopkins the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation hosted event 201 a highlevel pandemic exercise on october 18 2019 in new york ny the exercise illustrated areas where publicprivate partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequencesofficial statement of denial about ncov and our pandemic exercise in recent years the world has seen a growing number of epidemic events amounting to approximately 200 events annually these events are increasing and they are disruptive to health economies and society managing these events already strains global capacity even absent a pandemic threat experts agree that it is only a matter of time before one of these epidemics becomes globala pandemic with potentially catastrophic consequences a severe pandemic which becomes event 201 would require reliable cooperation among several industries national governments and key international institutions event 201 pandemic exercise highlights reel selected moments from the event 201 pandemic tabletop exercise hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation on october 18 2019 in new york ny the exercise illustrated the pandemic preparedness efforts needed to diminish the largescale economic and societal consequences of a severe pandemicbill gates on population control\nwhy have bill gates and friends raised 43 billion to vaccinate 80 million children in third world countries shouldnt sufficient food supply and clean drinking water be the first priority what good is a healthy immune system if youre going to die of starvation or be poisoned by your water watch and listen to this video very carefully and you will understand the true agenda behind their efforts there are sterilization agents in the vaccines which will prevent these children from having children in the future its really not about protecting their health at all its all about population control now the end begins is your front line defense against the rising tide of darkness in the last days before the rapture of the church when you contribute to this fundraising effort you are helping us to do what the lord called us to do the money you send in goes primarily to the overall daily operations of this site when people ask for bibles we send them out at no charge when people write in and say how much they would like gospel tracts but cannot afford them we send them a box at no cost to them for either the tracts or the shipping no matter where they are in the world even all the way to south africa we even restarted our weekly radio bible study on sunday nights again thanks to your generous donations all this is possible because you pray for us you support us and you give so we can continue growing", + "https://www.nowtheendbegins.com/", + "FAKE", + 0.12287272727272724, + 970 + ], + [ + null, + "it is always good to go on the offense taking a tsp or two twice daily of structured silver advanced formula helps fight the pathogens we are exposed to on a daily basis the structured silver circulating in your blood attaches to bacteria yeast and viruses rendering them ineffective and boosting your immune system its important to note that although there are increasing numbers of cases being reported of corona virus most of the fatalities are from older and younger folks with compromised immune systemswellness vital silver simple go on the offense this year against viruses including the coronavirus its simple the silver is flying off the shelves as folks stock up due to the increased awareness of the coronavirus structured silver allows a silver particlecluster of silver to kill multiple bacteria viruses and yeastcandida pathogens throughout the body until it is safely excreted", + "www.purevitalsilver.com", + "FAKE", + 0.1886904761904762, + 144 + ], + [ + "THE INTRODUCTION OF 5G, DIGITAL MICROCHIPS AND ENFORCED VACCINES ARE NOW GOING UNCHALLENGED THANKS TO THE CORONAVIRUS", + "is this the month march 2020 when the world changed forever maybe future generations will never know this date as the time our civil liberties died and this coordinated move to supress humanity succeeded on a global scale who is going to fight this now thanks to the 24hour news stream of information about the coronavirus pandemic we are now seeing the submissive subtle introduction of a military medical state that has become the will of the people germ warfare would seem to be the victor the people are now convinced prisons are over run so your home has become a prison with many of us living in built up urban areas have we somehow willingly paid for our own asylum first introduce the devil and then the angel an untested vaccine that protects you from the foe its a phenomenal global chess move by the invisible elite\nhumanity is out of control or was maybe this is where the curve changes either way our world will probably never be the same again for whilst everyone is locked up indoors hiding from an invisible virus division lines have already been drawn the fight is already over before it began we have now been made so wary of each other no one talks face to face for fear of infection families and friends have been separated as we self isolate and practice social distancing no need for heavy handed crowd control when suspicion is made the norm for there is a far subtler silent killer in our midst and no one is to be trusted this globally simulated man made viral attack has ramped up over such a short period of time that it has already led to what can only be seen as the beginning of the new world ordermass demonstrations are a thing of the past as now we fear each otherany organised protests against deploying new radiation emitting technology call it 5g call it whatever you want digital id chips and state enforced vaccines have been dealt with and crushed the noise of information we are bombarded with has meant no one knows the truth anymore probably including this article we now fear each other too much to even have a get together and a gossip its all done via video links and remote access we are being dehumanised whilst the idea of gathering on the streets to protest is now widely accepted as a criminal act herd the people in get them indoors get them home and keep them scared change the financial model with industry ground to a halt its our livelihoods that are also now under threat so introduce further control in the hope that it will return to us what we have lost it shows just how flimsy our world is and how reliant we all are upon the systemas we now enter an age where you can be fined or beaten for even going out onto the streets whilst everyone agrees you probably deserved it mass electrification of our planet has in fact massively increased in the last 6 months radiation emitting satellites are already everywhere and soon they will be on every street corner its no surprise that people will show more flulike symptoms with this huge surge in radiation so of course a virus pandemic makes for a perfect scape goat we all carry radiation devices in our pockets we wear it on our wrists put it in our ears we stare at it all day sleep with it at night and use it to pay for everything we touch and eat these are water destructuring devices that alter our heart rates we are electrical beings we are made up of water and energy all of this damage to our cells makes our bodies sick the damaged cells build up in our sinuses and secrete as phlegm its easy to mistake these as flulike symptomsbear in mind also that the side effects of radiation is infertility and need we say more the resulting increase in cancer will be kept as a mystery from the wider world and the slow down of the birth rate easily blamed on other factors rather than the inevitable byproduct of mass 5g technology add to this the vaccines and it becomes a cataclysm of a health catastrophe inject aluminium in people and they become electrical magnetic conductors 5g towers are now being installed in schools and public places while everyone stays at home begging for a time when they can be released get tested get the vaccine and return to their old systemic way of life its both evil and geniusbut ultimately very scary and guess what its all about to become legally binding too as 5g will become protected by law with this terrifying new legislation going through congress as we speak s893 secure 5g and beyond act of 2020 passed on 3rd march the purpose of which is to develop a strategy to secure and protect us fifth and future generations 5g systems and infrastructure such strategy shall ensure the security of 5g wireless communications systems and infrastructure within the united states assist mutual defense treaty allies strategic partners and other countries in maximizing the security of 5g systems and infrastructure this is about to become a lawthe microchip society the id2020 alliance combines vaccines with implantable microchips to create your digital id in a reddit qa billionaire philanthropist bill gates revealed his plan to use digital certificates to identify those who have been tested for covid19 microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against it the 64 year old tech mogul and most powerful medical figure on the planet revealed this yesterday during a reddit ask me anything session while answering questions on the covid19 coronavirus pandemic gates was responding to a question on how businesses will be able to operate while maintaining social distancing and said that eventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received it the digital certificates gates was referring to are humanimplantable quantumdot tattoos that researchers at mit and rice university are working on as a way to hold vaccination records it was last year in december when scientists from the two universities revealed that they were working on these quantumdot tattoos after bill gates approached them about solving the problem of identifying those who have not been vaccinated the quantumdot tattoos involve applying dissolvable sugarbased microneedles that contain a vaccine and fluorescent copperbased quantum dots embedded inside biocompatible micronscale capsules after the microneedes dissolve under the skin they leave the encapsulated quantum dots whose patterns can be read to identify the vaccine that was administered the quantumdot tattoos will likely be supplemented with bill gates other undertaking called id2020 which is an ambitious project by microsoft to solve the problem of over 1 billion people who live without an officially recognized identity id2020 is solving this through digital identity currently the most feasible way of implementing digital identity is either through smartphones or rfid microchip implants the latter will be gatess likely approach not only because of feasibility and sustainability but also because for over 6 yearsthe gates foundation has been funding another project that incorporates humanimplantable microchip implants this project also spearheaded by mit is a birth control microchip implant that will allow women to control contraceptive hormones in their bodies as for id2020 to see it through microsoft has formed an alliance with four other companies namely accenture ideo gavi and the rockefeller foundation\nthe project is supported by the united nations and has been incorporated into the uns sustainable development goals initiative but on the other hand this is bill gates perfect opportunity to see the projects through because as the coronavirus continues to spread and more people continue to die from the pandemic the public at large is becoming more open to problemsolving technologies that will contain the spread of the virus last year in november a denmarkbased tech company which had contracts to produce microchip implants for the danish government and the us navy had to cancel the launch of its supposedly revolutionary internetofthings powered microchip implant after christian activists attacked its offices in copenhagenback in 2018 an article by jay greenberg in neon nettle described how bill gates had developed a new microchip along with researchers at mit that will allow for adjustments to be made to a persons hormone levels via remote control in a bid to reduce the planets populationthe bill and melinda gates foundation has been working in conjunction with a small massachusetts startup to develop the digital pill that will enable womens fertility to be switched on or off remotely with the touch of a buttonthe new digital version of the contraceptive pill will be tested in africa this year where the bill and melinda gates foundation has spent years developing vaccination and family planning programsfollowing testing the microchips are due to be rolled out globally in 2018 with every woman in america replacing their regular contraceptive pill with the new remotecontrolled chips according to gatesaccording to forbesa ted talk by gates from 2015 recently emerged called the next outbreak were not ready given during the ebola epidemic but as the white house administration faces criticism for not reacting quick enough gates reiterated that we did know it would happen at some point either with a flu or some other respiratory virusthere was almost no fundingfollowing the eventual end of the pandemic gates hopes that countries can work together to better prepare for similar situations including the need to have the ability to scale up diagnostics drugs and vaccines very rapidlythe technologies exist to do this well if the right investments are made the 100 million his and his wife melindas gates foundation donated to fight the coronavirus is focused on those three areasdr anthony fauci the director of the national institute of allergy and infectious diseases this week said that mass production of a vaccine would likely not occur for another 1218 months and gates concurred saying that lots of manufacturing will need to be built to provide billions of vaccines to protect the world and that the first vaccines which would go to healthcare workers and critical workerscould happen before 18 months if everything goes well but we and fauci and others are being careful not to promise this when we are not suregates called for a national tracking system similar to south korea saying that in seattle the university of washington is providing thousands of tests per day but no one is connected to a national tracking system and that whenever there is a positive test it should be seen to understand where the disease is and whether we need to strengthen the social distancing\nhe also stated my retiring from public boards was not related to the epidemic but it does reinforce my decision to focus on the work of the foundation including its work to help with the epidemic so fast forward to now and watch this video as this unnamed man announces the microchip vaccine he says the military are in place with mandated vaccines in the state of oklahoma to vaccinate everyone in that state there will be no free travel without proof that certain levels of the population have the vaccines with plans that include road blocks and blockades to hold people that prove they have the vaccinemetal bracelets that contain the chip with your information\nthey either kill you with the injection or you refuse to take it get taken away and be incarceratedim sure we have all seen law enforcement brutality across the world now as in this video today in ecuador the man is beaten with batons and told to say he will not go out on the streets again another scape goat to show the civilians what happens if you break the curfewnow also watch this video from a secret service personnel who spells it out stating no matter if you have a flu like symptom do not take any vaccines if you take the vaccine the corona virus is in the vaccine we are in the middle of a revolution this is an intelligence operation it began in 2011 to over throw this government and to stop many things happening around the world implement a pandemic that would panic the world get people sick they set off 5g in the area which set off flu like symptoms where they were given the corona virus vaccines so that they died in the street with the cameras ready so you could see it even celebrities were claimed to have the virus they were simply used as a set up tom hanks did not get the corona virusthe coronavirus bill in the uk further alarming news for british citizens today is the coronavirus bill that is going largely unchallenged through the house of commons important information for all in the uk re new daconian laws being drawn up as a consequence of the covid19 psyop today the emergency coronavirus bill will be rushed through as law today sees the 2nd reading if passed it will immediately proceed to 3rd and on it contains the most draconian powers ever proposed in peacetime britain it will be rushed through parliament and the powers will last two years the powers will affect your freedom and take away your rights forced detention and isolation can be of anyone including children and for any amount of time authorities can forceably take biological samples from your body theres no clear access to legal rights from asyet unidentified isolation facilities powers last up to 25 years lockdown powers could prevent protests against measures state surveillance safeguards weakened protections from forced detainment and treatment under mental health act lowered cremations can be enforced against personal and religious wishes changes to the court system registration of deaths no inquests into suspicious deaths no requirement for any medical certification for burials or cremations it also indemnifies the health service should they fail for what ever reason to provide care the most frightening part only one medical officer is required to sign off compulsory treatment order which means in the real world you can be forced to accept medication or held down and injected with whatever is seen fit that is the biggest and worst threat to your own freedoms schedule8 pt1 local authorities will now be exempted from compliance with their duties under the care act 2014 schedule 11the bbc wont be telling you that bit so if someone dies in police custody or any type of custody they can simply dispose of the body without any paperwork medical exam or certification or inquest forget what that box in the corner of your room is programming you with get the facts im still wading through the rest this is a terrible day for freedoms", + "https://healingoracle.ch/", + "FAKE", + 0.0342784992784993, + 2513 + ], + [ + "Bill Gates Funded The PIRBRIGHT Institute, Which Owns A Patent On Coronavirus; The CDC Owns The Strain Isolated From Humans", + "believe it or not a coronavirus strain is a patented by the the pirbright institute which is partially funded by the bill and melinda gates foundation another strain which was isolated from humans is owned by the cdc the patent page for coronavirus explains that it may be used as a vaccine for treating andor preventing a disease such as infectious bronchitis in a subject suggesting that this is just another weaponized viral strain designed to sell more useless deadly vaccines while at the same time killing off a few thousand or perhaps a few million people a close look at the patent page also shows that the pirbright institute owns all sorts of other virus patents including one for african swine fever virus which is listed as a vaccine t is thus no surprise that bill gates is a pirbright institute financial backer seeing as how hes one of the most aggressive vaccinepushing philanthropists on the planet and here is another patent for coronavirus isolated from humans patent us7220852b1 coronavirus aka sars the patent was granted to the cdc and the inventors are all americanyou can download the above patent here the way this whole coronavirus situation is taking shape would seem to be exactly what gates once proposed as a solution to the alleged problem of overpopulation at an infamous ted talk gates explained that vaccines are one of the keys to reducing global population levels and what better way to do that than to unleash patented coronavirus on the masses in order to later introduce a patented vaccine for it bill and melinda gates hosted event 201 back in october described as a highlevel pandemic exercise whats further interesting is that the bill and melinda gates foundation cohosted a highlevel pandemic exercise back in october that involved discussions about how public private partnerships will be necessary during the response to a severe pandemic in order to diminish largescale economic and societal consequences held in partnership with the johns hopkins center for health security and the world economic forum this latest endeavor by bill gates is highly suspicious to say the least especially when considering that it was held just in time for the coronavirus outbreak as is usually the case with suspicious disease outbreaks that get the media and academia talking about new vaccines and publicprivate partnerships bill gates fingerprints are almost always hiding in the background and this is exactly the case with coronaviruses which could accomplish many of gates expectations for the future including mass depopulation mass vaccination and mass consolidation of government power these events are increasing and they are disruptive to health economies and society reads an announcement about event 201 as they called it or the meeting with gates and his cronies from back in october managing these events already strains global capacity even absent a pandemic threat experts agree that it is only a matter of time before one of these pandemics becomes global a pandemic with potentially catastrophic consequences a severe pandemic which becomes event 201 would require reliable cooperation among several industries national governments and key international institutions this reads like a predictive script for what were now seeing with coronavirus as governments around the world scramble to manage this deadly outbreak with martial law vaccine fasttracking quarantines and plenty of fearmongering if we do a really great job on vaccines health care reproductive health services we could lower the global population by perhaps about 10 to 15 percent gates is infamously quoted as saying about the true intent of his humanitarian efforts", + "https://humansarefree.com/", + "FAKE", + 0.038975869809203145, + 594 + ], + [ + "Plandemic", + "humanity is imprisoned by a killer pandemic people are being arrested for surfing in the ocean and meditating in nature nations are collapsing hungry citizens are rioting for food the media has generated so much confusion and fear that people are begging for salvation in a syringe billionaire patent owners are pushing for globally mandated vaccines anyone who refuses to be injected with experimental poisons will be prohibited from travel education and work no this is not a synopsis for a new horror movie this is our current realitylets back up to address how we got herein the early 1900s americas first billionaire john d rockefeller bought a german pharmaceutical company that would later assist hitler to implement his eugenicsbased vision by manufacturing chemicals and poisons for war rockefeller wanted to eliminate the competitors of western medicine so he submitted a report to congress declaring that there were too many doctors and medical schools in america and that all natural healing modalities were unscientific quackery rockefeller called for the standardization of medical education whereby only his organization be allowed to grant medical school licenses in the us and so began the practice of immune suppressive synthetic and toxic drugs once people had become dependent on this new system and the addictive drugs it provided the system switched to a paid program creating lifelong customers for the rockefellers currently medical error is the third leading cause of death in the us rockefellers secret weapon to success was the strategy known as problemreactionsolution create a problem escalate fear then offer a preplanned solution sound familiarflash forward to 2020 they named it covid19 our leaders of world health predicted millions would die the national guard was deployed makeshift hospitals were erected to care for a massive overflow of patients mass graves were dug terrifying news reports had people everywhere seeking shelter to avoid contact the plan was unfolding with diabolical precision but the masters of the pandemic underestimated one thing the people medical professionals and everyday citizens are sharing critical information online the overlords of big tech have ordered all dissenting voices to be silenced and banned but they are too late the slumbering masses are awake and aware that something is not right quarantine has provided the missing element time suddenly our overworked citizenry has ample time to research and investigate for themselves once you see you cant unseethe window of opportunity is open like never before for the first time in human history we have the worlds attention plandemic will expose the scientific and political elite who run the scam that is our global health system while laying out a new plan a plan that allows all of humanity to reconnect with healing forces of nature 2020 is the code for perfect vision it is also the year that will go down in history as the moment we finally opened our eyes", + "http://archive.is/", + "FAKE", + 0.03023729357062691, + 481 + ], + [ + "Novel Coronavirus — The Latest Pandemic Scare", + "story ataglance as of january 27 2020 china reported 2835 confirmed cases of novel coronavirusinfected pneumonia ncip including 76 deaths the first case was reported in december 2019 since then cases have also been reported in the us canada australia japan thailand vietnam singapore taiwan south korea and france\nclinical manifestations of ncip are consistent with viral pneumonia the hysteria being drummed up follows a wellworn pattern where the population is kept in a state of fear about microbes so that drug companies can come to the rescue with yet another expensive and potentially mandatory drug or vaccine in january 2018 chinas first biosecurity level 4 lab designed for the study of the worlds most dangerous pathogens opened its doors in wuhan city the epicenter of the current ncip outbreak october 18 2019 johns hopkins center for health security the world economic forum and the bill and melinda gates foundation sponsored a pandemic preparedness exercise in new york practicing for the emergence of a new fictional viral illness dubbed coronavirus acute pulmonary syndrome thirtyfour patients had recovered and been discharged as of january 22 2020 the first case was reported december 21 2019 according to promed international society for infectious diseases patients clinical manifestations were consistent with viral pneumonia most patients had severe and nonproductive cough following illness onset some had dyspnea and almost all had normal or decreased leukocyte counts and radiographic evidence of pneumonia huanan seafood wholesale market has western and eastern sections and 15 environmental specimens collected in the western section were positive for 2019ncov virus through rtpcr testing and genetic sequencing analysis despite extensive searching no animal from the market has thus far been identified as a possible source of infection on january 21 2020 the us centers for disease control and prevention confirmed the first us case6 a patient in washington state who had recently visited wuhan china a second case in illinois was confirmed january 24 20207 this patient had also recently returned from a visit to wuhan since then cases have also been reported in canada australia8 japan thailand south korea9 france10 taiwan vietnam singapore and saudi arabia11 january 22 2020 china shut down all transport networks in and out of wuhan a city with a population of 11 million in an effort to contain the spread of the disease so far most of those who have died have been elderly as reported by the foreign policy journal one puzzling aspect so far is the thankful lack of child victims usually children with less developed immune systems than adults come down with one illness after another yet few children have yet been reported with coronavirus symptoms that does not mean that no children have been infected a similar pattern of benign disease in children with increasing severity and mortality with age was seen in sars and mers sars had a mortality rate averaging 10 percent yet no children and just 1 percent of youths under 24 died while those older than 50 had a 65 percent risk of dying is being an adult a risk factor per se if so what is it about childhood that confers protection the foreign policy journal goes on to suggest children may be protected by other vaccines given during childhood such as the measles and rubella vaccines it even goes so far as to wonder whether innate immunity against the coronavirus might be boosted in adults by giving them the measles vaccineif you ask me that would be a significant longshot vaccines have risks so getting a vaccine on the remote chance that it might confer protection against a completely different infection than what its designed for seems inappropriate in the extreme as noted in the washington examinersending out coronavirus vaccines wont make sense unless the spread gets worse the bare facts at least as far as anyone knows them yet are that a global rollout of a coronavirus vaccine would kill some 7000 people or so of course were never going to get everyone vaccinated and im guessing here but that average death rate from vaccination for all things is one in a millionyes thats including those influenza shots the old folks are abjured to get every winter we know that some will die because of them that we know this is exactly why we have the vaccine compensation program the tradeoff in this situation is how many we kill by giving them the vaccine versus how many die without it the coronavirus is simply not widespread enough yet to take the risk of jabbing everyone like other coronaviruses such as the middle east respiratory syndrome coronavirus merscov and the severe acute respiratory syndrome coronavirus sarscov this new coronavirus dubbed 2019ncov15 is suspected of being zoonotic meaning it can be transmitted between animals and humans the disease itself has been named novel coronavirusinfected pneumonia or necip16 as reported by cnnboth sars and mers are classified as zoonotic viral diseases meaning the first patients who were infected acquired these viruses directly from animals this was possible because while in the animal host the virus had acquired a series of genetic mutations that allowed it to infect and multiply inside humans now these viruses can be transmitted from person to person in the case of this 2019 coronavirus outbreak reports state that most of the first group of patients hospitalized were workers or customers at a local seafood wholesale market which also sold processed meats and live consumable animals including poultry donkeys sheep pigs camels foxes badgers bamboo rats hedgehogs and reptiles however while media have been quick to blame the outbreak on snakes18 and bat soup19 as of january 22 none of the animals sold at the wuhan huanan wholesale seafood market had been found to carry the virus meanwhile a number of other reports cast a disturbing light on the outbreak raising questions about biohazard safety at laboratories working with dangerous pathogens season of fear and national budgeting go hand in hand whatever the source the hysteria being drummed up follows a now wellworn pattern where the population is kept in a perpetual state of anxiety and fear about microbes so that drug companies aided by federal health officials can come to the rescue with yet another expensive and potentially mandatory drug or vaccine back in 2005 headlines warned the us was facing a cataclysmic extermination event with a calculated 2 million americans succumbing to the bird flu the bestcase scenario had a calculated death toll of 200000 the same scare tactics were used during the 2009 swine flu outbreak both pandemics turned out to be grossly exaggerated threats but that didnt result in a more conservative coolheaded approach to subsequent outbreaks if anything efforts to drum up fear and hysteria have only escalated in 2014 we were told ebola might overtake the us and then it was pertussis outbreaks21 in january 2015 it was measles in disneyland in january 2016 it was zika followed by more news about pertussis outbreaks22 in 2017 and 2018 it was influenza23 then back to measles again in 201924 now we have coronavirus january and february appear to be a favorite time to launch a global disease scare with the dutiful assistance of corporatized media its convenient seeing how usually by the first monday in february every year feb 3 2020 the president sends the us congress the administrations budget requesting funds to be allocated to federal agencies for the next fiscal years budget oct 1 2020 sept 30 2021each time theres a public health scare the pharma and public health lobby is able to vie for a larger slice of taxpayer money to pay for drug and vaccine development26 january 23 2020 dr anthony fauci director of the nihs national institute of allergy and infectious diseases announced a coronavirus vaccine is in the pipeline with human trials set to start in about three months27 stock prices for makers of coronavirus vaccines experienced an immediate upswing2829 in response to media reports of impending doom moratorium on sarsmers experiments lifted in 2017 as mentioned a number of reports raise questions about the source of the 2019ncov for starters a 2014 npr article30 was rather prophetic it discusses the october 2014 us moratorium on experiments on coronaviruses like sars and mers as well as influenza virus that might make the viruses more pathogenic andor easy to spread among humans the ban came on the heels of highprofile lab mishaps at the cdc and extremely controversial flu experiments in which the bird flu virus was engineered to become more lethal and contagious between ferrets the goal was to see if it could mutate and become more lethal and contagious between humans causing future pandemics however for the past decade there have been red flags raised in the scientific community about biosecurity breaches in high containment biological labs in the us and globally31 there were legitimate fears that a labcreated superflu pathogen might escape the confines of biosecurity labs where researchers are conducting experiments its a reasonable fear certainly considering that there have been many safety breaches at biolabs in the us and other countries32333435 the federal moratorium on lethal virus experiments in the us was lifted at the end of december 201736 even though researchers announced in 2015 they had created a labcreated hybrid coronavirus similar to that of sars that was capable of infecting both human airway cells and mice the nih had allowed the controversial research to proceed because it had begun before the moratorium was put in place a decision criticized by simon wainhobson a virologist at pasteur institute in paris who pointed out that if the new virus escaped nobody could predict the trajectory others such as richard ebright a molecular biologist and biodefence expert at rutgers university agreed saying the only impact of this work is the creation in a lab of a new nonnatural risk wuhan is home to lab studying worlds deadliest pathogens\nin january 2018 chinas first maximum security virology laboratory biosecurity level 4 designed for the study of the worlds most dangerous pathogens opened its doors in wuhan3940 is it pure coincidence that wuhan city is now the epicenter of this novel coronavirus infection the year before tim trevan a maryland biosafety consultant expressed concern about viral threats potentially escaping the wuhan national biosafety laboratory which happens to be located just 20 miles from the wuhan market identified as ground zero for the current ncip outbreak42 as reported by the daily mail43 the wuhan lab is also equipped for animal research and regulations for animal research especially that conducted on primates are much looser in china than in the us and other western countries but that was also cause for concern for trevan studying the behavior of a virus like 209ncov and developing treatments or vaccines for it requires infecting these research monkeys an important step before human testing monkeys are unpredictable though warned rutgers university microbiologist dr richard ebright they can run they can scratch they can bite he said and the viruses they carry would go where their feet nails and teeth do coronavirus outbreak simulation took place in october 2019 equally curious is the fact that johns hopkins center for health security the world economic forum and the bill and melinda gates foundation sponsored a novel coronavirus pandemic preparedness exercise october 18 2019 in new york called event 20144 the simulation predicted a global death toll of 65 million people within a span of 18 months45 as reported by forbes december 12 2019 the experts ran through a carefully designed detailed simulation of a new fictional viral illness called caps or coronavirus acute pulmonary syndrome this was modeled after previous epidemics like sars and mers sounds exactly like ncip doesnt it yet the new coronavirus responsible for ncip had not yet been identified at the time of the simulation and the first case wasnt reported until two months later forbes also refers to the fictional pandemic as disease x the same designation used by the telegraph in its january 24 2020 video report could this coronavirus be disease x47 which suggests that media outlets were briefed and there was coordination ahead of time with regard to use of certain keywords and catchphrases in news reports and opinion articlesjohns hopkins university jhu is the biggest recipient of research grants from federal agencies including the national institutes of health national science foundation and department of defense and has received millions of dollars in research grants from the gates foundation48 in 2016 johns hopkins spent more than 2 billion on research projects leading all us universities in research spending for the 38th year in a row if research funded by federal agencies such as the dod or hhs is classified as being performed in the interest of national security it is exempt from freedom of information act foia requestsresearch conducted under the biomedical advanced research and development authority barda is completely shielded from foia requests by the public51 additionally agencies may deny foia requests and withhold information if government officials conclude that shielding it from public view protects trade secrets and commercial or financial information which could harm the competitive posture or business interests of a company52 the us centers for disease control and prevention under the us department of health and human services states that its mission is to protect america from health safety and security threats both foreign and in the us53 clearly it will be difficult to obtain information about governmentfunded biomedical research on microbes like coronavirus conducted at major universities or by pharmaceutical corporations in biohazard labs how likely is it then that the coronavirus outbreak making people so sick today suddenly emerged simply because people ate bats and snakes in a wuhan market it looks more like a biosecurity accident but until more is known inevitably there will be questions than answers about whether this latest global public health emergency is a more ambitious tactical sand table exercise echoing unanswered questions about the 2009 swine flu pandemic fiasco this time there could be a lot more bodies left on the field although some statisticians conducting benefit cost analyses may consider 65 million casualties in a global human population of 78 billion people54 to be relatively small when advancing medical research conducted in the name of the greater goodsigns and symptoms of ncip according to the who signs and symptoms of ncip in its initial stages include fever fatigue sore throat shortness of breath dry cough in more severe cases the infection can lead to pneumonia severe acute respiratory syndrome and kidney failure care advice whos rapid advice note detailing how to care for patients presenting mild symptoms of ncip in the home can be downloaded here recommendations include placing the patient in a wellventilated room limiting the number of caretakers ideally designate a healthy younger person who has no underlying risk factors to care for the patient older people appear to be more susceptible to severe disease keeping other household members in a different room or keeping a distance of at least 1 meter 32 feet from the patient\nlimiting the movement of the patient and minimizing shared space make sure shared spaces such as kitchen and bathroom are wellventilated by keeping the windows open instructions on protective gear such as protective masks and gloves and the safe handling and disposal of them are also detailed as are special instructions for how to maintain good hygiene to prevent the spread of the virus throughout the home general recommendations for how to reduce your risk of contracting an infection at home work or when traveling can be found on whos novel coronavirus advice for the public page a key recommendation which applies to all infections both bacterial and viral is to frequently wash your hands with soap and water also be sure to cover your mouth and nose when coughing or sneezing and avoid close contact with anyone exhibiting symptoms of cold or influenza according to peter horby professor of emerging infectious diseases and global health at the centre of tropical medicine and global health at the university of oxford ncip has the hallmark signs of classic viral pneumonia and since there are currently no antivirals available for ncip the focus of care is to support the lungs and other organs until the patient recoversduring this time i recommend boosting your immune system with regular sensibly controlled sun exposure and when unable to do that taking oral vitamin d3 adding liposomal vitamin c and quercetin supplements can also be helpfulall three help protect against infections in general and quercetin may offer benefits as a treatment for sars coronavirus infections58 according to a study59 in the journal of virology quercetin offers great promise as a potential drug in the clinical treatment of sars resveratrol is another antioxidant that could be useful its been shown to inhibit merscov infection at least in vitro60there are some events that happen which are not in our control but one thing we can do is learn how to better respond to bad news that causes stress which can depress the immune systemliving in a constant state of anxiety and fear is not healthy finding ways to lower stress through regular exercise spending time in nature practicing meditation and getting plenty of sleep on a daily basis all help optimize immune function and decrease the effects of stress that are all too often a part of our lives today", + "https://www.healthnutnews.com/", + "FAKE", + 0.09365390382365692, + 2912 + ], + [ + null, + "why does coronavirus have a patent why does any virus have a patent why is there a vaccine already being developed us patent for coronavirus patent", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + "Was Coronavirus a “Plan-Demic” As Part Of Population Control? These Videos Certainly Make One Consider That Possibility", + "a friend who covers news on vaccinations sent me a series of videos that were posted in early november 2019 however they were recorded at an event that took place on october 18 2019 the first wuhan case was recorded in december 2019they discuss the coronavirus and its effectskeep in mind im not asking if this is a pandemic that has already been establishedim asking is this a plandemic was it in fact plannedmostly those in the videos speak with regards to the economic impact versus actually aiding those who are sick but nevertheless several see government intervention even hinting at martial law as the solution when for the most part it has been the problemthe obvious question that should be asked given that many of those organizations and entities promote population control and even depopulation is this coronavirus weaponized for the purpose of depopulationso far we know thischina doctor who tried to warn about coronavirus is dead creator of us bioweapons act claims coronavirus is a biological weapon highlevel exercise conducted 3 months ago showed that a coronavirus pandemic could kill 65 million people coincidence us patent for an attenuated coronavirus filed in 2015 was granted in 2018 we also know this45 population control quotes the elite are eager to eliminate people on earth vaccine industrytied bill gates warns of doomsday global pandemic could kill 30 million in under a year\neugenics infertility population growth crisis the series of videos was provided via youtube by the center for health securityaccording to the descriptionevent 201 is a pandemic tabletop exercise hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation on october 18 2019 in new york nythe exercise illustrated the pandemic preparedness efforts needed to diminish the largescale economic and societal consequences of a severe pandemic\ndrawing from actual events event 201 identifies important policy issues and preparedness challenges that could be solved with sufficient political will and attentionthese issues were designed in a narrative to engage and educate the participants and the audiencewas coronavirus a plandemic as part of population control\na friend who covers news on vaccinations sent me a series of videos that were posted in early november 2019 however they were recorded at an event that took place on october 18 2019 the first wuhan case was recorded in december 2019they discuss the coronavirus and its effectskeep in mind im not asking if this is a pandemic that has already been establishedim asking is this a plandemic was it in fact plannedmostly those in the videos speak with regards to the economic impact versus actually aiding those who are sick but nevertheless several see government intervention even hinting at martial law as the solution when for the most part it has been the problemthe obvious question that should be asked given that many of those organizations and entities promote population control and even depopulation is this coronavirus weaponized for the purpose of depopulationso far we know thischina doctor who tried to warn about coronavirus is dead creator of us bioweapons act claims coronavirus is a biological weapon highlevel exercise conducted 3 months ago showed that a coronavirus pandemic could kill 65 million people coincidence us patent for an attenuated coronavirus filed in 2015 was granted in 2018 we also know this45 population control quotes the elite are eager to eliminate people on earth vaccine industrytied bill gates warns of doomsday global pandemic could kill 30 million in under a year eugenics infertility population growth crisis the series of videos was provided via youtube by the center for health securityaccording to the descriptionevent 201 is a pandemic tabletop exercise hosted by the johns hopkins center for health security in partnership with the world economic forum and the bill and melinda gates foundation on october 18 2019 in new york nythe exercise illustrated the pandemic preparedness efforts needed to diminish the largescale economic and societal consequences of a severe pandemicdrawing from actual events event 201 identifies important policy issues and preparedness challenges that could be solved with sufficient political will and attentionthese issues were designed in a narrative to engage and educate the participants and the audiencehere are the videos judge for yourself whether coronavirus was planned or just happened organicallycall to wuhan hospital for help gets this response no medical staff anymore they are dead or sickcoronavirus nightmare no room in chinese hospitals for thousands of sick people the numbers for the wuhan coronavirus outbreak just dont add up wuhan resident on coronavirus outbreak hospitals are packed you are just left for deada million or two have already left wuhan china video out of wuhan hospital shows the truth of the coronavirus horrifying effects mainstream media hasnt been telling us the truth about this coronavirus outbreak the true number of coronavirus victims is far larger than you are being told mysterious sarslike virus killing people in china has spread to japan additionally weve reported on whether or not governments are putting the boot down on the people as hinted at in these videosagain you judge for yourself whether or not that is the casecoverup china arrested doctors who warned about coronavirus as death tolls rise stocks plummet coronavirus coverup china threatens social media users with 7 years in prison for reporting and now we are dealing with it in the us\ndepartment of defense military has mass quarantine camps set up in us if coronavirus isnt a serious threat to the us why is our government turning 11 military bases into quarantine campsmassachusetts quarantine college student becomes first confirmed coronavirus case 5th diagnosed case of coronavirus in america confirmed on sunday however probably the most curious thing about the coronavirus is in the parts of the world that dont large numbers of medical facilities or records that can be easily checked this commenter points to that very problem in determining just how widespread this virus may have gotten and no one would be the wiser about it", + "https://sonsoflibertymedia.com/", + "FAKE", + 0.048088561521397344, + 1004 + ], + [ + "Coronavirus Update (COVID-19)", + "14 people who were confirmed cases of covid19 in europe took mms and have recovered their health all of these tested positive and when retested after taking mms they came out negative for covid19 those of us who have used chlorine dioxide mms over the years certainly expected it to also work with this virus but we wanted to be sure and now with this data we are confident that the proper mixture of chlorine dioxide mms has every hope of eradicating covid19if you have covid19 take protocol 6 and 6 to start this is one 6drop dose of mms then one hour later take another 6drop dose of mms after two 6drop doses of mms go on hourly doses of 3 activated drops in 4 ounces of water hourly for children follow the same instructions as above and cut the amounts in half here is the testimony of a man who was experiencing very serious symptoms of coronavirus the man is 85 years old and was confirmed to have coronavirus he was quarantined at home all of his relatives at home were also infected but the elderly man was in very serious condition and on oxygenby far he was the most worst off he was given a 1 liter bottle of water which had 20 activated drops of mms added to it he was instructed to take a sip from the bottle every five minutes but not to let it go past 10 minutes so every 5 to 10 minutes the man took a sip not a big gulp just a sip from the bottlethats all but he did this faithfully every 5 to 10 minutes throughout the day until the bottle was finished just a sip each time after three days he was noticeably improved and off of the oxygen so his dose was reduced to 12 activated drops in the 1 liter bottle of water and he drank from it just sipping it every half hour he is recovering quickly90 improved has just a slight remnant of cough occasionally the rest of the family who also took mms are now fully recovered", + "https://genesis2church.ch", + "FAKE", + -0.012582345191040843, + 355 + ], + [ + "The Wuhan Virus Escaped from a Chinese Lab", + "first of all wuhan is a place and not a race and to identify the coronavirus by its place of origin like naming the ebola virus for a river in zaire is not racist or xenophobic its merely accurate there is no racism or xenophobia in labeling an infection rocky mountain spotted fever or calling something lyme disease after a nearby town in connecticut what calling this latest virus the wuhan virus is is a reminder of the multiple contagions china has spawned and released on an unsuspecting world nor is connecting some very big ugly and obvious dots just another conspiracy theory to be dismissed out of hand from the beginning china has been less than forthcoming about this virus and resisted sharing critical data and access to who and cdc specialists and have we forgotten dr li wenliang the 33yearold ophthalmologist based in wuhan the epicenter of the contagion who tried to tell the world that china was hiding something malevolent only to be silenced and imprisoned by chinese authorities for allegedly fabricating lies about the diseases deadly potential he would later die of the disease he tried to warn us about and the chinese tried to keep under wraps in an interview with the communist partycontrolled beijing youth daily newspaper in late january dr li recalled seeing reports in december of an unusual cluster of pneumonia cases linked to an animal market in wuhan on dec 30 dr li told the newspaper he sent a message to former classmates on wechat a popular messaging app warning them of new cases of severe acute respiratory syndrome or sars he later corrected that saying it was an unknown coronavirus dr li was later interrogated by party disciplinary officials and hospital management who accused him of spreading rumors and forced him to write a selfcriticism he told the newspaper they told me not to publish any information about this online dr li told the beijing youth daily in late january later the epidemic started to spread noticeably id personally been treating someone who was infected and whose family got infected and so then i got infected in speaking out about the virus and about government efforts to silence him dr li drew comparisons to jiang yanyong a surgeon who became a hero after blowing the whistle on beijings efforts to cover up the extent of the sars crisis in 2003 initially a live animal market in wuhan where exotic animals are sold for food was blamed as the source of the virus it may yet be proven to be the epicenter of the outbreak but it was not the source of the virus that honor goes to the wuhan national biosafety laboratory housed at the wuhan institute of virology a scant 20 miles away from wuhans live animal market it was set up in the wake of previous leaks of the sars virus from chinese labs and to do research on the worlds most dangerous viruses as the daily mail online reports it was the first ever lab in the country designed to meet biosafetylevel4 bsl4 standards the highest biohazard level meaning that it would be qualified to handle the most dangerous pathogens bsl4 labs have to be equipped with airtight hazmat suits or special cabinet work spaces that confine viruses and bacteria that can be transmitted through the air to sealed boxes that scientists reach into using attached highgrade gloves upon opening it planned to first take up a project that required only bsl3 precautions to be in place a tickborne virus that causes crimeancongo hemorrhagic fever its a highly fatal disease killing 10 to 40 percent of those it infects sars too is a bsl3 virus according to natures interview with the labs director yuan zhimin the wuhan national biosafety laboratory planned to study the sars virus after a laboratory leak incident of sars in 2004 the former ministry of health of china initiated the construction of preservation laboratories for highlevel pathogens such as sars coronavirus and pandemic influenza virus wrote guizhen wu the wuhan lab is also equipped for animal research to be clear this is not to say the wuhan virus was part of any biological weapons program or that its release was intentional it could just be that it was the result of chernobyllike sloppiness resulting from a bizarre blend of chinese culture and global ambition indications of military involvement in the wuhan lab are there and troubling in a new york post oped steven w mosher president of the population research institute and the author of bully of asia why chinas dream is the new threat to world order documents the linkage connecting the wuhan lab the nearby live animal market and the spread of the wuhan virus at an emergency meeting in beijing held last friday chinese leader xi jinping spoke about the need to contain the coronavirus and set up a system to prevent similar epidemics in the future a national system to control biosecurity risks must be put in place to protect the peoples health xi said because lab safety is a national security issue what xi didnt say is that the coronavirus that has sickened more than 76000 and claimed more than 2200 lives escaped from one of the countrys bioresearch labs but the very next day evidence emerged suggesting that this is what happened as the chinese ministry of science and technology released a new directive entitled instructions on strengthening biosecurity management in microbiology labs that handle advanced viruses like the novel coronavirus as mosher points out not only is the wuhan lab chinas first level4 facility but it is the only one and it is under close and active supervision by the chinese military the peoples liberation armys top expert in biological warfare maj gen chen wei was dispatched to wuhan at the end of january to help with the effort to contain the outbreak according to the pla daily chen has been researching coronaviruses since the sars outbreak of 2003 as well as ebola and anthrax this would not be her first trip to the wuhan institute of virology either since it is one of only two bioweapons research labs in all of china clearly this peoples liberation army officer was there not just to preserve the public order after something went awry in their quest to find a cure for the common cold you dont need a general doing research on coronaviruses at bioweapons research labs to impose a quarantine worse yet the virus may have been released by underpaid researchers who sold contaminated lab animals to make a little extra cash on the side and then there is this littleknown fact some chinese researchers are believed to sell laboratory animals to street vendors after they have finished experimenting on them instead of properly disposing of infected animals by cremation as the law requires they sell them on the side to make a little extra cash or in some cases a lot of extra cash one beijing researcher now in jail made the equivalent of a million dollars selling monkeys and rats on the live animal market whence they likely wound up in someones stomach this isnt the first madeinchina virus beijing has sprung on the world and it wont be the last unless we stop worrying about political correctness and sanction china for what amounts to economic warfare and negligent homicide on a global scale", + "https://www.americanthinker.com/", + "FAKE", + 0.03522046681840496, + 1240 + ], + [ + "PSEUDO-APOCALYPSE: CORONAVIRUS OUTBREAK IN CHINA", + "as of january 28 up to 20 chinese cities have been locked down or targeted by partial movement restrictions with public transport in and out of them closed over the outbreak of the novel coronavirus 2019ncov a total of 106 people died of the disease 976 patients remained in critical conditions 6973 people were suspected of being infected while 4515 cases were confirmedtroops clad in hazmat suits with automatic rifles were deployed and namely in wuhan the capital city of hubei province the city that houses approximately 11 million people is the center of the crisis in total approximately 60 million people are under travel restrictionsadditionally 8 confirmed cases were reported in hong kong special administrative region 7 in macao special administrative region and 5 in taiwanchinese authorities are urgently building a 1000bed emergency field hospital specifically to cure those infected by the coronavirus the hospital is modeled after the xiaotangshan sars hospital in beijing the facility will be a prefabricated structure on a 270000squarefoot lot slated for completion on february 3the sars hospital was built from scratch in 2003 in just six days during an outbreak of a similar respiratory virus that had spread from china to more than a dozen countries and killed about 800 people the satrs hospital featured individual isolation units that looked like rows of tiny cabinson january 26 chinese center for disease control and prevention announced that china started to develop vaccine for the novel coronavirus after successfully isolating the first strain of the virusall people entering and leaving china are having their temperature measuredcoronaviruses are a large family of viruses that can cause respiratory illnesses such as the common cold according to the centers for disease control and prevention cdc most people get infected with coronaviruses at one point in their lives but symptoms are typically mild to moderate in some cases the viruses can cause lowerrespiratory tract illnesses such as pneumonia and bronchitis\nthese are more common in animals and only a handful are known to affect humans as is the case now this is what happened with the coronaviruses known as the middle east respiratory syndrome coronavirus merscov between 201217 and the severe acute respiratory syndrome coronavirus sarscov 20023 both of which are known to cause more severe symptomsthe 2019ncov virus has spread at a relatively rapid pace the first case was reported on december 31st 2019 in wuhan china the first cured individual named chen a 56year old woman was reported by chinese authorities as per chinese media she spent 2 weeks in hospital and was fully cured since then the virus has appeared in several other countries including thailand japan south korea and the united states the first us case was confirmed on january 21st in a man in washington state who had recently traveled to wuhan on january 24th officials confirmed a second case in a woman from chicago who had also recently traveled to the chinese city on january 24th the first three cases were confirmed in france with two patients being hospitalised in paris and the other in the southwestern city of bordeaux australia also confirmed its first case of the virus on january 28th three suspected cases of the coronavirus were reported in the indian capitalthe world health organization who declared the new coronavirus an emergency in china but not an international concern\naccording to the imperial college london selfsustaining humantohuman transmission of the novel coronavirus 2019ncov is the only plausible explanation of the scale of the outbreak in wuhan the released report estimates that on average each case infected 26 uncertainty range 1535 other people up to 18th january 2020 for comparison during the sars outbreak each case infected from 20 to 35 other peoplethis implies that control measures need to block well over 60 of transmission to be effective in controlling the outbreak it is likely based on the experience of sars and merscov that the number of secondary cases caused by a case of 2019ncov is highly variable with many cases causing no secondary infections and a few causing many whether transmission is continuing at the same rate currently depends on the effectiveness of current control measures implemented in china and the extent to which the populations of affected areas have adopted riskreducing behaviours the report readsso far the 2019ncov mortality rate has been approximately 235 therefore the 2019ncov speed of spreading as well as the fatality percentage is in reality lower than sars which took place in 20023 also in china in total there were 8098 confirmed cases of sars with a mortality rate of 96 the virus was contacted from bats the mers which spread in the middle east between 201217 had a confirmed number of 2000 infected and a mortality rate of 36 it was contacted from camelsthe chinese government is taking extraordinary measures to prevent the spread of the 2019ncov military men in biological protection suits blocked cities and hospital construction efforts allow mainstream media outlets to paint an apocalyptic picture of the developments claiming a pseudoapocalyptic endemic that would threaten hundreds of thousands if not millions countries such as the uk the us and others are carrying out coronavirus tests of various individuals mostly of chinese origin or those that have recently been to chinaone of the speculations is that the 2019ncov outbreak is a result of the leak from a secret not very laboratory one of the chinese bsl4 rated labs highest level of biological safety is located in wuhana laboratory in wuhan is on the cusp of being cleared to work with the worlds most dangerous pathogens the move is part of a plan to build between five and seven biosafety level4 bsl4 labs across the chinese mainland by 2025 and has generated much excitement as well as some concernssome scientists outside china worry about pathogens escaping and the addition of a biological dimension to geopolitical tensions between china and other nations but chinese microbiologists are celebrating their entrance to the elite cadre empowered to wrestle with the worlds greatest biological threats the nature article from february 2017 startsregardless facts speculations of the biolab in wuhan became pretty popular claiming that this is in fact a reallife resident evil scenario and its infamous umbrella corporation minus people turning into mindless zombies roaming the streetsanother popular culture comparison is that with the popular game plague inc and that as soon as greenland hears a chinese man has sneezed at an airport and its closed its borders and that every other country should follow suitthe media hysteria has gone so far that the developer of plague inc ndemic creations issued a statement saying that their game is realistic but not with the aim to sensationalize serious world issues it warned that this is in fact a game and not a scientific modelrather dark memes are on the rise with there even being a specific subreddit focused on coronavirus jokes most are harmless jokes but many of them are tasteless but they also serve the purpose of presenting china in a light that it is losing grip of the situationthe apocalyptic coverage of the 2019ncov outbreak in china demonstrates how mainstream media outlets and social media platforms shape the audiences perception of reality while the chinese government appears to be employing needed measures to contain the outbreak and prevent the virus spread the msm uses this measures to feed the audience with speculations that this is a signal of the chinese inability to keep the situation under control", + "https://southfront.org/", + "FAKE", + 0.0578336940836941, + 1250 + ], + [ + "Covid 19 bioweapon", + "what a fantastic rollout of the\nbioweapon i havenʼt seen fear like this since that little\n911 job back in 01 everyone is just absolutely terrified\nand willing to give up whatever rights and liberties they\nhave left", + "http://4chan.org", + "FAKE", + 0.11041666666666668, + 38 + ], + [ + "Very good news: Vitamin C IV drips are good for treating coronavirus patients, according to first medical reports from China", + "high doses of vitamin c can cure patients with the covid19 virus and prevent the spread of the disease vitamin c is already being used to prevent and treat covid19 in china and in korea and it is working", + "http://www.fawkes-news.com", + "FAKE", + 0.16, + 39 + ], + [ + "In explosive interview, author of Bioweapons Act Dr. Francis Boyle confirms coronavirus is an “offensive biological warfare weapon”", + "dr francis boyle is perhaps best known for authoring the biological weapons act in an explosive interview with geopolitics and empire shown below dr boyle reveals that the coronavirus now circulating in the wild exploding as a pandemic is indeed an offensive biological warfare weaponin this eyeopening interview probably soon to be banned by youtube dr boyle plainly confirms exactly what natural news has been reporting for over a week now that the coronavirus is a biological weapon system which escaped the wuhan bsl4 laboratory and broke containment in the local population spreading uncontrollablyin his own words he says the coronavirus that were dealing with here is an offensive biological warfare weapon that leaked out of that wuhan bsl4 this further confirms the proof that the coronavirus was genetically engineered using the pshuttle vector tool thats commonly known and used by virology researchers it also ties into the fact that independent genomics researchers have also confirmed the coronavirus has been subjected to sars gene insertions as part of the weaponization programthe mounting evidence of a laboratory origin is now irrefutable yet the who is covering for chinas bioweapons program and trying to lie to the world about the origins of the virus falsely claiming it came about from random permutations in the wildheres more of the transcript from the interview with dr boyle which was originally posted on the geopolitics empire channel on youtubedr francis boyleit does seem to me that the wuhan bsl4 is the source of the coronavirus yes my guess is that they were researching sars and they weaponized it further by giving it gainoffunction properties which means it could be more lethal and indeed the latest report now is its 15 fatality rate which is more than sars and 83 infection rate so a typical gainoffunction is it travels in the air so it could reach out maybe six feet or more from someone emitting a sneeze or a cough likewise this is a specially designated who research lab so the who is in on it and they knew full well what was going on thereyes its also reported the chinese stole coronavirus materials from the canadian lab at winnipeg winnipeg is canadas foremost center for research developing and testing biological warfare weapons its along the lines of ft detrick in the usa and yeah i have three degrees from harvard it would not surprise me if something was being stolen out of harvard to turn over to china the bottom line is and i drafted the us domestic implementing legislation for the biological weapons convention that was approved unanimously by both houses of the us congress and signed into law by president bush senior that it appears the coronavirus that were dealing with here is an offensive biological warfare weapon that leaked out of that wuhan bsl4 lab im not saying it was done deliberately but there have been previous reports of problems with that lab and things leaking out of it and im afraid that is what we are dealing with today emphasis added the full video is posted at youtube at the moment but is likely to be bannedthe newsclips channel has crossposted the video on brighteon in case youtube bans it this is too important to allow to be censored we hope the journalists at geopolitics empire who produce an amazing assortment of podcasts and other materials understand why its important to post this interview everywhere before the tech giants can extinguish it all credit goes to geopolitics empire and we hope you will visit their podcast site to listen to their own fascinating interviewsgeopolitics empire also has a channel on brighteoncom but so far they have not posted this interview if they post it we will update the following link to their channelmassive cyber attacks leveled against natural news zero hedge great game india and other sites reporting on the coronavirus dr boyles position is in stark contrast to the mainstream medias narrative of the virus being originated from the seafood market which is increasingly being questioned by many experts reports greatgameindiacom an independent news website that has also been subjected to aggressive cyber attacks after it began publishing information about the coronavirus pandemic natural news was also subjected to an extremely wellfunded cyber takedown attack that disrupted our publishing operations for 23 dayschinas plan to weaponize viruses and wipe out the united states of americathe coronavirus biological weapon development program was part of chinas longadmitted effort to weaponize viruses and wipe out the usa by deploying them on us soilin a secret speech given to highlevel communist party cadres nearly two decades ago chinese defense minister gen chi haotian explained a longrange plan for ensuring a chinese national renaissance reports great game indiawe are not as foolish as to want to perish together with america by using nuclear weapons said the general only by using nondestructive weapons that can kill many people will we be able to reserve america for ourselves the answer is found in biological weapons of course he added we have not been idle in the past years we have seized the opportunity to master weapons of this kindin the long run said gen chi the relationship of china and the united states is one of a lifeanddeath struggle this tragic situation must be accepted according to gen chi we must not forget that the history of our civilization repeatedly has taught us that one mountain does not allow two tigers to live togetheraccording to gen chi chinas overpopulation problem and environmental degradation will eventually result in social collapse and civil war general chi estimated that more than 800 million chinese would die in such a collapse therefore the chinese communist party has no policy alternativeeither the united states is cleaned up by biological attacks or china suffers national catastrophein other words china has been building a biological weapon to destroy the united states and that weapon got loose in their own back yard now it looks like china may have just nuked itself with that very same bioweapon and the fate of chinas population industrial output and political leadership looks very much in doubtperhaps its fitting that the coronavirus may be the vector by which china destroys itself before its treacherous philosophy of communism tyranny and mass death infects the entire worldread more news about biological weapons at biologicalweaponsnews", + "https://www.newstarget.com", + "FAKE", + 0.11313035066199618, + 1063 + ], + [ + "Chinese spy team sent pathogens to the Wuhan facility", + "a husband and wife chinese spy team were recently removed from a level 4 infectious disease facility in canada for sending pathogens to the wuhan facility the husband specialized in coronavirus research", + "Facebook", + "FAKE", + 0, + 32 + ], + [ + "THE CORONAVIRUS PANDEMIC: NANO-CHIPS MIGHT BE INJECTED TOGETHER WITH VACCINES, ALLOWING “THEM” TO CONTROL YOUR MONEY", + "along with the vaccination if not with this one then possibly with a later one a nanochip may be injected unknown to the person being vaccinated the chip may be remotely charged with all your personal data including bank accounts digital money yes digital money thats what they are aiming at so you really have no control any more over your health and other intimate data but also over your earnings and spending your money could be blocked or taken away as a sanction for misbehavior for swimming against the stream you may become a mere slave of the masters comparatively feudalism may appear like a walk in the park", + "https://southfront.org/", + "FAKE", + 0.006249999999999996, + 110 + ], + [ + "The Coronavirus 5G Connection and Coverup", + "the storythe china coronavirus covid19 rose to public attention late december 2019 but certain events october 2019 either planned for or precipitated it such as the rollout of 5g in wuhanthe implicationswhat is the coronavirus5g connection is this bioweapon an excuse for mandatory vaccination including dna vaccines which can be injected using a technique very similar to the emf pulsed waves of 5g the china coronavirus 5g connection is a very important factor when trying to comprehend the coronavirus formerly abbreviated 2019ncov now covid19 outbreak various independent researchers around the web for around 23 weeks now have highlighted the coronavirus5g link despite the fact that google as the selfappointed nwo censorinchief is doing its best to hide and scrub all search results showing the connection the coronavirus 5g connection doesnt mean the bioweapons connection is false its not a case of eitheror but rather broadens the scope of the entire event wuhan was one of the test cities chosen for china 5g rollout 5g went live there on october 31st 2019 almost exactly 2 months before the coronavirus outbreak began meanwhile many scientific documents on the health effects of 5g have verified that it causes flulike symptoms this article reveals the various connections behind the coronavirus phenomenon including how 5g can exacerbate or cause the kind of illness you are attributing to the new virus the rabbit hole is deep so lets take a dive5g a type of directed energy weaponfor the deeper background to 5g read my 2017 article 5g and iot total technological control grid being rolled out fast many people around the world including concerned citizens scientists and even governmental officials are becoming aware of the danger of 5g this is why it has already been banned in many places worldwide such as brussels the netherlands and parts of switzerland ireland italy germany the uk the usa and australia after all 5g is not just the next generation of mobile connectivity after 4g it is a radical and entirely new type of technology a military technology used on the battlefield that is now being deployed military term in the civilian realm it is phased array weaponry being sold and disguised as primarily a communications system when the frequency bands it uses 24ghz 100ghz including mmw millimeter waves are the very same ones used in active denial systems ie crowd control even mainstream wikipedia describes active denial systems as directed energy weaponry it disperses crowds by firing energy at them causing immediate and intense pain including a sensation of the skin burning remember directed energy weapons dew are behind the fall of the twin towers on 911 and the fake californian wildfiresnumerous scientists have warned of the dangerous health effects of 5g for instance in this 5g appeal from 2017 entitled scientists and doctors warn of potential serious health effects of 5g scientists warned of the harmful of nonionizing rfemf radiationif you listen to mark steele and barrie trower youll get an idea of the horrifying effects of 5g in this interview trower echoes the above quote by stating how 5g damages the immune system of trees and kills insects he reveals how in 1977 5g was tested on animals in hopes of finding a weapon the results were severe demyelination stripping the protective sheath of nerve cells some nations are now noticing a 90 loss of insects including pollinating insects like bees which congregate around lampposts where 5g is installed \nwuhan military games and event 201 simulationif you dig deep enough some disturbing connections arise between 5g and the men who have developed or are developing vaccines for novel viruses like ebola zika and the new coronavirus covid19 in a fantastic piece of research an author under the pen name of annie logical wrote the article corona virus fakery and the link to 5g testing that lays out the coronavirus 5g connection there is a ton of information so i will break it all down to make it more understandablefrom october 1827th 2019 wuhan hosted the military world games and specifically used 5g for the first time ever for the event also on october 18th 2019 in new york the johns hopkins center in partnership with world economic forum wef and the bill and melinda gates foundation hosted event 201 a global pandemic exercise which is a simulation of a pandemic guess what virus they happen to choose for their simulation a coronavirus guess what animal cells they use pig cells covid19 was initially reported to be derived from a seafood market and the fish there are known to be fed on pig waste event 201 includes the un since the wef now has a partnership agreement with un big pharma johnson and johnson bill gates key figure in pushing vaccines human microchipping and agenda 2030 and both china and americas cdc participants in event 201 recommended that governments force social media companies to stop the spread of fake news and that ultimately the only way to control the information would be for the who world health organization part of the un to be the sole central purveyor of information during a pandemicinovio electroporation and 5gas reported on january 24th 2020 us biotech and pharmaceutical company inovio received a 9 million grant to develop a vaccine for the coronavirus inovio got the money grant from the coalition for epidemic preparedness innovations cepi however they already have an existing partnership with cepi in april 2018 they got up to 56 million to develop vaccines for lassa fever and middle east respiratory syndrome mers cepi was founded in davos by the governments of norway and india the wellcome trust and the participants of event 201 the bill and melinda gates foundation and the wef cepis ceo is the former director of barda us biomedical advanced research and development authority which is part of the hhs inovio claimed they developed a coronavirus vaccine in 2 hours on the face of it such a claim is absurd what is more likely is that they are lying or that they already had the vaccine because they had the foreknowledge that the coronavirus was coming and was about to be unleashedso who owns and runs inovio two key men are david weiner and dr joseph kim weiner was once kims university professor weiner was involved with developing a vaccine for hiv and zika you can read my articles about zika here and here where i exposed some of the lies surrounding that epidemic kim was funded by merck a large big pharma company and produced something called porcine circovirus pcv 1 and pcv 2 as mentioned above there is a link between pig vaccinespig dna and the coronavirus annie logical notes that it has long been established that seafood in the area is fed on pig waste kim served a 5year tenure as a member of the wefs global agenda council yet another organ pushing the new world order one world government under the banner of agenda 2030 global governanceweiner is an employee and advisor to the fda is considered a dna technology expert and pioneered a new dna transference method called electroporation a microbiology technique which uses an electrical pulse to create temporary pores in cell membranes through which substances like chemicals drugs or dna can be introduced into the cell this technique can be used to administer dna vaccines which inject foreign dna into a hosts cells that changes the hosts dna this means if you take a dna vaccine you are allowing your dna to be changed as if vaccines werent already horrific enough but heres the kicker electroporation uses pulsed waves guess what else uses pulsed waves 5g this is either a startling coincidence or evidence or a sinister coronavirus 5gconnection the same action that 5g technology uses in pulsed waves and the coronavirus was reported to have started in an area in china that had rolled out 5g technology so we can see how geneticists using scientists are tampering with the building blocks of our existence and what is disturbing is that prof wiener is a hiv pioneer and we know that soon after the polio vaccines were given to millions in africa that hiv emerged they have perfected the art of injecting animal or bird dna into human chromosomes which alters our dna and causes things like haemorrhaging fever cancers and even deathspeaking of hiv which is not the same things as aids but that is another story remember also that a group of indian scientists put out their research that the virus was manmade and had hiv inserts they found that 4 separate hiv genes were randomly embedded within the coronavirus these genes somehow converged to create receptor sites on the virus that were identical to hiv which was a surprise due to their random placement they also specifically stated that this was not likely to happen naturally unlikely to be fortuitous in nature in yet another example of egregious censorship these scientists were pressured to withdraw their work5g and electroporation dna vaccines both producing pulsed emf waves consider the implications of this for a moment the technology exists to use emfs to open your very skin pores and inject foreign dna into your bloodstream and cells this is an extreme violation of your bodily sovereignty and it can have longterm effects because of genetic mutation changing your very dna which is the biological blueprint and physical essence of who you arewhat if 5g mimics electroporation what if 5g can do on a large scale what electroporation does on a small scale we already know that 5g has the potential to be mutagenic dnadamaging the frequencies that 5g uses especially 75100ghz interact with the geometrical structure of our skin and sweat ducts acting upon them like a transmission reaching an antenna and fundamentally affecting us and our moodwhat if 5g is being used to open up the skin of those in wuhan so as to allow the new bioweapon coronavirus to infiltrate more easilymandatory vaccines depopulation and transhumanismso whats at the bottom of the coronavirus5g connection rabbit hole i would suggest we find mandatory vaccine agenda the depopulation agenda and transhumanist agenda via dna vaccines the key figures and groups who appear to have planned this already have the vaccine in place just as they did for the other epidemics that fizzled out sars ebola and zika weiner even has links to hivaids and if you dive into that as jon rappoport did you find gaping holes in that storyits the same epidemicpandemic game played out every 23 years theres a couple of versions in the first version you invent a virus hype it up get people scared do ineffectual and inconclusive tests eg like the pcr test which measures if a viral fragment is present but doesnt tell you the quantities of whether it would actually causing the disease inflate the body count justify quarantinemartial law and brainwash people into thinking they have to buy the toxic vaccine and introduce mandatory vaccination you dont even need a real virus or pathogen for the version in the second version you create a virus as a bioweapon release it as a test pretend it was a natural mutation watch how many people it kills which helps with the eugenics and depopulation agendas again justify martial law again justify the need for mandatory vaccines and even pose as the savior with the vaccine that stops it as a variation on this second version you can even develop a racespecific bioweapon so as to reduce the population of rival nations or enemy races as a geopolitical strategy this article suggests that the coronavirus targets chinese peopleasians more than others and certainly the official death count attests to that although its always hard to trust governmental statistics annie logical gives her takethe con job goes like thispoison the population purposely to create disease that does not and would never occur naturally parlay the purposely created disease as being caused by something invisible outside the realm of control or knowledge of the average person create a toxic vaccine or medication that was always intended to further poison the population into an early grave parlay the vaccine or medication poisoning as proof the disease which never existed is much worse than anticipated increase the initial poisoning which is marketed as a fake disease and also increase the vaccine and medication poisoning to start piling the bodies into the stratosphere repeat as many times as possible upon an uninformed population because killing a population this way the art of having people line up to kill themselves with poisonknown as a soft kill method is the only legal way to make sure such eugenic operations can be executed on mass and in plain sightdna vaccines are a disturbing new advancement for transhumanism after all the objective of the transhumanist agenda is to merge man with machine and in doing so wipe out what fundamentally makes us human so we can be controlled and overtaken by a deeply sinister and negative force its all about changing us at the fundamental level or attacking human sovereignty itself dna vaccines fit right in with that literally changing your dna by forcefully inserting foreign dna to change your genetics with consequences no one could possibly fully foresee and predictone last coronavirus5g connection finally i will finish with another coronavirus5g connection the word coronavirus itself refers to many kinds of viruses by that name not just covid19 guess who owns a patent for a coronavirus strain not sars cov2 or covid19 that can be used to develop a vaccine the pirbright institute and guess who partially owns them bill gates as you can read here pirbright is being supported in their vaccine developement endeavors by a british company innovate uk who also funds and supports the rollout of 5g innovate uk ran a competition in 2018 with a 15 million share out to any small business that could produce vaccines for epidemic potentialthe motivation to hype and the motivation to downplay history has shown that in cases of epidemics or fake epidemics there is almost always a morass of conflicting reports and contradictory information in such situations it can be very difficult to get to the bottom of the matter and find the truth the conflict stems from the different motivations of nations governments and other interested groups essentially there are 2 main motivations the motivation to hype exaggerate and use fear to grab attention sell something make a group look badincompetent make people scared make the public accept mandatory vaccination and martial law and the motivation to downplay cover up and hide the true extent of the damage morbidity or mortality so as to appear competent and in control to lessen possible anger backlash or disorder sometimes these 2 motivations may drive the behavior of the same group eg in the case of the chinese government it has the motivation to hype to get people afraid so they easily follow its draconian quarantine rules and the motivation to downplay so as to appear in the eyes of its people and the rest of the entire world to have the situation under control to ensure saving face credibility and a good reputation\nfinal thoughts on the coronavirus 5g connection governments around the world have experimented with bioweapons both on their own citizens and foreign citizens and even sold that research to other governments for their own benefit eg japans notorious unit 731 which developed bioweapons in china only to hand over that research to the us after losing world war 2 see bioweapons lyme disease weaponized ticks plum island more for a brief history of the usgs usage of weaponized ticks which resulted in lyme disease the evidence that covid19 is a bioweapon is overwhelming and so is the evidence that 5g is involved to either cause the flulike symptomspneumonia people have been experiencing andor to exacerbate the virulence of the virus by weakening peoples immune systems and subjecting them to pulsed waves of emf to open up their skin to foreign dna fragments including viruses\nremember there are many nwo agendas accompanying the coronavirus remember too there was chinese government foreknowledge\nin this kinds of story there are no major coincidences only connections and conspiracies waiting to be uncovered", + "https://www.wakingtimes.com/", + "FAKE", + 0.014680407975862522, + 2721 + ], + [ + "Natural Protection Strategy Against Viruses, Including Coronavirus", + "every person has multiple viruses in their body and everyone has experienced a viral infection at some point in their life in spite of this the vast majority of people know very little about viruses and how they can protect themselves from the pain and suffering viruses cause what are viruses\nviruses are very tiny germs much smaller than bacteria they are made up of genetic material with an outside protein exterior they have some very unique characteristicsthey are not able to make protein like cellsthey are totally dependent on their host for survivalthey can only reproduce while inside of a host cella strong immune system can keep viruses from multiplyingin a compromised immune system the virus inserts its genetic material into a cell and begins to produce more virus in the host celleach virus has a unique shape and is attracted to very specific organs in the body such as the liver lungs or even our blood\nwhat are the diseasesillnesses that are caused by virusesthere is a long list of diseases caused by viruses includingsome coldsinfluenzachickenpoxhivsome pneumoniashinglesrubellameasleshepatitisherpes polioebola smallpox mumpsepstein barrtreatments for viral diseasesviruses are very difficult to treat with conventional medical approaches a few of the more effective treatments includesmallpox a vaccine has been effectivehiv a few medications have proven to be effectivehepatitis c a few medications have proven to be very effectiveflu vaccine this years version of the flu vaccine 2020 is only 10 percent effective according to a recent study in the new england journal of medicine this study in janfeb 2020 suggests that this years dominant flu virus is unique and stronger than previous strainsvaccinations for the flu and measles have not been shown to be consistently effective but show some promise for the future these efforts deserve to be continued however there are several natural approaches that deserve to be mentioned and they are supported by excellent scientific evidenceanimal caused virusessome viruses emanate from contact with animalsvirus influenzarabieslassa leptospirosis etcebola and marburghiv 1 and 2newcastle diseasewest nilerabiesyellow fever and dengue fever animal cause birds pigs horsesbats dogs foxes rodentsmonkeys chimpanzees and monkeys poultrybirdsanimal biteinsects mosquitoes lice fleasplant spread of viruses fruits and vegetables can also become infected with viruses norovirus contamination can occur before and after harvest from water runoff containing fecal matter or when infected humans touch the plants noroviruses do not grow on the plantlike bacteria does they wait until the infection is passed on to a human and then it begins to multiply many commercial harvests are treated with irradiation which can have some effect on viruses but mainly kills bacterialocal produce at food markets is not irradiated a novel method of treatment has been developed by scientists in quebec canada the combined cranberry juice and citrus extract in a spray for produce such as lettuce and strawberries other produce sprays been effectively kill bacteria but are not as effective on the norovirus this spray turned out to be very effective the study was published online on february 12 2020 in the journal of applied microbiologythe human spread of virusesthere are a few viruses that are spread by human contacthuman transmission skin contactrespiratoryfecaloral milksexuallyvirus type hpv warts cold viruses flu measles mumps polio coxsackie hepatitis a hiv htlv1 cmvherpes 1 and 2 hiv hepatitis b preventing and treating viral disease naturally there is mounting scientific evidence that a handful of vitamins minerals and herbs have been shown to be effective in the prevention and treatments of many viral influenced illnesses below are a few examples of some natural prevention and treatment protocolsmeasles in 2002 in a study of children under the age of two with measles the participants experienced a reduced risk of overall mortality and pneumonia specific mortality after taking 200000 iu of vitamin a for two days pub med hiv in 2018 a national institute of health study found that low vitamin d3 promotes inflammation and deactivation of key immune system elements supplementation with vitamin d3 to levels between 5090 mgml can help provide excellent protectioncolds and flu in april of 2012 a study found that low levels of vitamin d3 resulted in an increase in colds flu and autoimmune diseases these low levels under 50 mgml allow for genetic activation of reduced immune function federation of american scientists for experimental biology tb and hepatitis c vitamin d3 deficiency has now been found to have a strong correlation to the development of tb hepatitis c and bacterial vaginosiscanadian aids treatment and information exchangepolio nearly 50 years ago dr frederick klenner cured 60 people with polio by using multigram doses of vitamin c he used both intramuscular and intravenous methods over a twoday period journal of preventive medicine 1974 sepsis sepsis is not a virus but it is a very dangerous infection caused by difficult to treat bacteria vitamin c used as an adjunct to antibacterial protocols has been shown to be highly effective in reducing the severity and length of the infection many lives are being saved in the hospitals using this integrated protocol j crit care 2018 viral pneumonia when dr andrew saul became ill with viral pneumonia his doctor offered no treatment dr saul knew about the work of dr cathcart who was using mega doses of intravenous vitamin c 200000 mg daily dr saul took 2000 mg of vitamin c orally every six minutes and experienced dramatic relief within hours after consuming 100000 mg he began to experience a considerable reduction of symptoms wwwdoctoryourselfcom and journal of orthomolecular medicine the special case of the coronavirus 1 vitamin c coronavirus exploring effective nutritional treatments andrew w saul orthomolecular news service january 30 2020 this article is based on more than 30 clinical studies confirming the antiviral power of vitamin c against a wide range of flu viruses over several decades vitamin c inactivates the virus and strengthens the immune system to continue to suppress the virus in many cases oral supplementation up to 10000 mg daily can create this protection however some viruses are stronger and may require larger doses given intravenously 100000 to 150000 mg daily vitamin c helps the body to make its own antioxidant glutathione as well as assist the body in the production of its own antiviral called interferon if iv vitamin c is not available there have been cases where some people have gradually increased their oral dose up to 50000 mg daily before reaching bowel tolerance powdered or crystal forms of highquality ascorbic acid can be taken five grams 5000 mg at a time every four hours every virus seems to respond to this type of treatment regardless of whether it is sars bird flu swine flu or the new coronavirus fluvitamin d3 vitamin d helps fend off flu asthma attacks american journal of clinical nutrition march 10 2010 this was a doubleblind placebocontrolled study where the treatment group consumed 1200 iu of vitamin d3 during the cold and flu season while the control group took a placebo the vitamin d group had a 58 percent reduced risk of flu vitamin d3 is also very effective in the treatment of virusflu infectionsvitamin d3 helps our body to make an antibiotic protein called cathelicidin which is known to kill viruses bacteria fungi and parasitesvitamin d deficiency for adults is 42 percent but this is incorrect because the standards are too low levels of 3050 ngml are said to be adequate but every scientific study has shown that levels of 50100 ngml are needed for true protectiondiet and sunshine are good sources of vitamin d but most people need to supplement especially during flu season between 500010000 iu daily is often recommended in the form of a quality liquid supplementwhen you get the flu dr john cannel recommends taking 50000 iu daily for the first 5 days and then 500010000 iu as a maintenance doseother evidencebased herbal strategies for the flu in addition to the previously mentioned vitamin strategies for preventing and treating virusrelated illnesses there are several herbal remedies that are also effective here are a few with proven scientific evidence behind themelderberry a study published in the journal of alternative and complementary medicine found elderberry can be used as a safe and effective treatment for influenza a and bcalendula a study by the university of maryland medical center found that ear drops containing calendula can be effective for treating ear infections in childrenastragulus root scientific studies have shown that astragulus has antiviral properties and stimulates the immune system one study in the chinese medical sciences journal concluded that astragulus is able to inhibit the growth of the coxsackie b virus\nlicorice root licorice is gaining popularity for the prevention and treatment of diseases such as hepatitis c hiv and influenza the chinese journal of virology published a review of these findings olive leaf olive leaf has been proven effective in the treatment of cold and flu viruses meningitis pneumonia hepatitis b malaria gonorrhea and tuberculosis one study at the new york university school of medicine found that olive leaf extracts reversed many hiv1 infectionsthese are just some of the many antiviral agents that should be included in everyones home remedy medicine chest it may also be helpful to know which foods can provide the best antivital protection certain foods can provide strong antiviral production some of the strongest foods in this category includewild blueberriessprouts cilantro coconut oil garlic ginger sweet potatoes turmeric red cloverparsley kale fennelpomegranates conclusion it is a generally accepted fact that once a virus is in the body it very seldom leaves the medications vitamins and herbs that have been proven to be effective simply suppress the virus and limit its ability to reproduce a strong immune system is key to preventing andor successfully treating any illness the key elements of this protection program includeeating a plantbased whole food diet with very limited animal products adding daily nutritional supplements such as a multiple vitaminmineral 2000 mg of vitamin c with bioflavonoids maintain vitamin d3 levels of 5090 ngml 10002000 mg of omega 3 oils a vitamin b complex and about 400 mg of magnesium depending on your level of exerciseavoid toxins and use detoxification programs periodicallyregular daily exercise including aerobic resistance and flexibilityavoid stress and use yoga and meditation to manage stresswash your hands with soap and water after touching areas that have been touched by othersin the home there is a new product puregreen24 that kills staph mrsa and most viruses within two minutes this product has an epa iv toxicity rating and is safe and effective for hospitals as well as for children and pets at homeavoid putting your hands to your faceavoid anyone who is experiencing flu and cold symptomsat the first signs of any cold or flu symptoms begin a fairly aggressive treatment protocol the sooner treatment begins the better the chance is that the infection can be stopped andor controlledby adhering to this basic antiviral strategy it is possible to greatly reduce the risk of these virusrelated illnesses as well as most other illnesses conventional medicine offers very little for the prevention or treatment of most viral illnesses natural medicine offers considerably more solutions", + "https://www.theepochtimes.com/", + "FAKE", + 0.1608180506362325, + 1852 + ], + [ + "Shanghai Government Officially Recommends Vitamin C for COVID-19", + "the government of shanghai china has announced its official recommendation that covid19 should be treated with high amounts of intravenous vitamin c 1 dosage recommendations vary with severity of illness from 50 to 200 milligrams per kilogram body weight per day to as much as 200 mgkgdaythese dosages are approximately 4000 to 16000 mg for an adult administered by iv this specific method of administration is important says intravenous therapy expert atsuo yanagisawa md phd because vitamin cs effect is at least ten times more powerful by iv than if taken orally dr yanagisawa is president of the tokyobased japanese college of intravenous therapy he says intravenous vitamin c is a safe effective and broadspectrum antiviralrichard z cheng md phd a chineseamerican specialist physician has been working closely with medical and governmental authorities throughout china he has been instrumental in facilitating at least three chinese clinical iv vitamin c studies now underway dr cheng is presently in shanghai continuing his efforts to encourage still more chinese hospitals to implement vitamin c therapy incorporating high oral doses as well as c by ivdr cheng and dr yanagisawa both recommend oral vitamin c for prevention of covid19 infectionan official statement from xian jiaotong university second hospital 2 readson the afternoon of february 20 2020 another 4 patients with severe new coronaviral pneumonia recovered from the c10 west ward of tongji hospital in the past 8 patients have been discharged from hospital highdose vitamin c achieved good results in clinical applications we believe that for patients with severe neonatal pneumonia and critically ill patients vitamin c treatment should be initiated as soon as possible after admission early application of large doses of vitamin c can have a strong antioxidant effect reduce inflammatory responses and improve endothelial function numerous studies have shown that the dose of vitamin c has a lot to do with the effect of treatment hghdose vitamin c can not only improve antiviral levels but more importantly can prevent and treat acute lung injury ali and acute respiratory distress ards", + "http://orthomolecular.org/", + "FAKE", + 0.15297093382807667, + 339 + ], + [ + "No vaccine, no job: Eugenicist Bill Gates demands “digital certificates” to prove coronavirus vaccination status", + "on march 18 outspoken eugenicist bill gates participated in an ask me anything ama event on reddit entitled im bill gates cochair of the bill melinda gates foundation ama about covid19 and during this event gates openly admitted to the world that the agenda moving forward is to vaccinate every person on the planet with coronavirus vaccines as well as track them with mark of the beasttype digital certificatestaking place just five days after he conveniently stepped down from the public board of microsoft to dedicate more time to philanthropic priorities including global health and development education and climate change this ama event with bill gates ended up revealing the blueprints of the globalist endgame for humanity which includes tagging people like cattle and controlling what theyre allowed to do based on their vaccination statusif you agree to get vaccinated with a wuhan coronavirus covid19 vaccine once it becomes available in other words then the government will grant you permission to join back up with society and resume at least some of the normalcy of your former life if you dont however then youll presumably be ostracized from the rest of the world and forced into permanent isolation left to fend for yourself with no means to buy sell or conduct any type of business in order to make a living and survivethis is the book of revelation in action and bill gates is laying it all out for you assuming youre paying attention everything hes presenting as the solution to the wuhan coronavirus covid19 crisis was foretold long ago by the prophets and now its coming to fruition under the guise of stopping a global pandemic and ensuring that everyone has a proper digital identityit was october 2019 when bill gates held his infamous event 201 forum which included discussions about a hypothetical coronavirus pandemic and how to handle it fastforward a few months and here we are exactly as bill gates and his globalist cronies predicted or rather planned it all to happen along with their solutions waiting in the wings for a grand unveilingwhen asked what changes are we going to have to make to how businesses operate to maintain our economy while providing social distancing bill gates respondedthe question of which businesses should keep going is tricky certainly food supply and the health system we still need water electricity and the internet supply chains for critical things need to be maintained countries are still figuring out what to keep runningand heres the real kicker at the conclusion of his answereventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itdid you catch that bill gates wants to digitally track everyone who contracts the wuhan coronavirus covid19 and recovers from it along with everyone whos been tested for it he also wants to know who takes the coronavirus vaccine once it becomes publicly availablelisten below to the health ranger report as mike adams the health ranger talks about how the world economy has now come to an end due to the wuhan coronavirus covid19bill gates wants everyone to have a quantum dot tattoo microchip inserted in their bodies\nit should be noted that the numberone upvoted response to this admission by bill gates was from a user who pointed out that it directly aligns with revelation 13 which states beginning in verse 16 concerning the mark of the beasthe causes all both small and great rich and poor free and slave to receive a mark on their right hand or on their foreheads and that no one may buy or sell except one who has the mark of the name of the beast or the number of his name here is wisdom let him who has understanding calculate the number of the beast for it is the number of a man his number is 666keep in mind that this all coincides with the id2020 agenda which aims to create a global digital identification system for every person on earth as weve reported in the past id2020 and vaccines are being used together to harvest the biometric identities of all mankind and all for the purpose of creating the global system of tracking and control that was foretold in the book of revelationtheyve already begun to test id2020 in bangladesh inserting digital ids in the bodies of newborn babies along with their vaccinations and bill gates is now talking about how socalled quantum dot tattoos are the next wave of biometrics identification also to be inserted in peoples bodies through vaccinationa report from futurism explains the quantum dot tattoo as tiny semiconducting crystals that reflect light and that glows under infrared light this pattern along with the vaccine its hidden in gets delivered into the skin using hitech dissolvable microneedles made of a mixture of polymers and sugar and is coming to a vaccine clinic near you in the very near futurethis short and unexpected answer opened a gigantic pandoras box of what could be in store in the near future the inevitable mass vaccination campaign to eradicate covid19 would be the perfect opportunity to introduce a worldwide digital id warns vigilant citizento keep up with the latest wuhan coronavirus covid19 news be sure to check out pandemicnews", + "https://www.naturalnews.com/", + "FAKE", + 0.08332437275985663, + 885 + ], + [ + null, + "so let me get this straight about this virus its new yet it was lab created and patented in 2015 in development since 03 the patent expired today on the day the first case is announced in the us the patent also tells us the cdc helped make this this invention was made by the centers for disease control and prevention an agency of the united states government therefore the us government has certain rights in this invention and now magically a vaccine is in the works for it already yet the patent in 2015 already references a vaccine for itbut what do i know im just a conspiracy theorist chris kirckof", + "To Vaccinate Or Not To Vaccinate", + "FAKE", + 0.26012987012987016, + 112 + ], + [ + "Worker Expose COV-19 Circuit Boards Being Installed in 5G Towers", + "must see worker exposes circuit boards being installed in 5g towers whats on them will surprise you ", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + "DARPA – Saving us from Covid-19?", + "in january the coalition for epidemic preparedness innovations cepi announced it would begin funding vaccine candidates for the coronavirus outbreak long before it became a major global issue cepi describes itself as a partnership of public private philanthropic and civil organizations that will finance and coordinate the development of vaccines against high priority public health threats and was founded in 2017 by the governments of norway and india along with the world economic forum wef and the bill and melinda gates foundation that month cepi only chose two pharmaceutical companies to receive funding for their efforts to develop a vaccine for covid19 moderna and inovio pharmaceuticalsas previously mentioned these two companies are darpabacked firms that frequently tout their strategic alliance with darpa in press releases and on their websites darpa has also provided these companies with significant amounts of funding for instance the top funders behind inovio pharmaceuticals include both darpa and the pentagons defense threat reduction agency dtra and the company has received millions in dollars in grants from darpa including a 45 million grant to develop a vaccine for ebola they were also recently awarded over 8 million from the us military to develop a small portable intradermal device for delivering dna vaccines which was jointly developed by inovio and the us army medical research institute of infectious diseases usamriid which also manages the biodefense lab at fort detrickin addition the german company curevac which is also developing a cepibacked rna vaccine for covid19 is another longtime recipient of darpa funding they were one of darpas earliest investments in the technology winning a 331 million darpa contract to develop their rnactive vaccine platform in 2011\nin modernas case darpa financed the production and development of their rna vaccine production platform and their rna therapy candidate for chikungunya virus their first for an infectious disease was developed in direct collaboration with the agency since 2016 modernas rna vaccine program has received 100 million in funding from the bill and melinda gates foundation the gates foundation has since poured millions directly into both modernas and inovios covid19 vaccine effortsgates backing of dna and rna vaccines is significant given that gates a billionaire with unparalleled influence and control over global healthcare policy recently asserted that the best options for a covid19 vaccine are these same vaccines despite the fact that they have never before been approved for use in humans yet thanks to the emergency authorizations activated due to the current crisis both modernas and inovios testing for these vaccines has skipped animal trials and gone straight to human testing they are also set to be fasttracked for widespread use in a matter of months modernas clinical trial in humans began in midmarch followed by inovios in the beginning of april thus they are not only gates favorites to be the new vaccine but are also slated to be the first to complete clinical trials and garner emergency us government approval especially modernas vaccine which is being jointly developed with the governments nihthe rapid rise to prominence of modernas and inovios covid19 vaccines has resulted in several media articles praising darpa as having provided our best hope for thwarting the coronavirus crisis in addition to its backing of modernas and inovios own efforts darpa itself specifically darpas bto is set to have a temporary vaccine for covid19 available in a matter of weeks that will involve the production of synthetic antibodies that would ostensibly provide immunity for a few months until a longerlasting vaccine such as those produced by moderna and inovio is availabledarpas antibody treatment for covid19 is pursuing two routes including the human body as bioreactor approach that would involve synthetic dna or rna being injected in order to prompt the body to produce the necessary antibodies defense one notes that darpas covid19 treatment would utilize techniques that had resulted from the agencys investments in microfluidics the manipulation of liquids at the submillimeter range nanotechnology fabrication and new approaches to gene sequencingpersistent concerns while most media reports have painted these darpaled efforts as entirely positive it is worth noting that concerns have been raised though these concerns have hardly gotten the coverage they warrant for instance nature recently noted some key points regarding safety issues related to the race for a covid19 vaccine including the fact that all previous coronavirus vaccines have not all proven appropriate or even safe with some past attempts at coronavirus vaccines having resulted in antibody dependent enhancement ade ade results in cells more rapidly taking up the virus and speeding up the virus replication increasing its infectiousness and virulencenature also noted that the two coronavirus vaccines for sars that managed to pass phase 1 trials ended up in subsequent studies causing immune hypersensitivity in mice resulting in severe immunopathology ie permanent defects or malfunctions in the immune system in addition nature also pointed out that it is unknown how strong an immune response is needed to confer immunity for covid19 and coronaviruses in general making it incredibly difficult to gauge if a vaccine is even effectiveanother issue worth noting involves concerns raised about inovio pharmaceuticals by investment research firm citron research which compared inovio to theranos the disgraced medical technology company that had initially promised to offer diagnoses for numerous diseases via a simple blood test but was later revealed to be a sham citron asserted that its been over 40 years since inovio was founded yet the company has never sic brought a product to market and all the while insiders have enriched themselves with hefty salaries and large stock salescitron research went on to say that the companys claim to have designed their covid19 vaccine in only 3 hours based on a computer algorithm was hard to believe stating that inovio has a computer algorithm that no one else in the world has and is arguably one of the greatest breakthroughs in vaccine discovery in the past 100 years and yet this computer algorithm is not mentioned once in any of its 10ks or 10qs sounds like theranos to us it also noted that inovios partnerships with pharmaceutical companies roche and astrazeneca ended up failing with those two companies canceling the partnership despite claims from inovios ceo that whey would continue to thrivea notsohidden agendaof course these are just concerns focused on corporate behavior and obstacles towards making a covid19 vaccine in general as this report has already shown in detail darpas other experiments with the same technologies particularly genetic engineering synthetic chromosomes and nanotechnology that are being used to produce rna and dna vaccines for covid19 are arguably more concerning this is especially true given that darpabacked companies that describe themselves as strategic partners of the agency are those manufacturing these vaccines in addition thanks to backing from the us government and bill gate among others they are are also slated to be among the first vaccines if not the first approved for widespread useit is certainly troubling that media coverage of darpas efforts and the efforts of moderna and inovio have thus far not included critical reporting regarding the different branches of darpas research that has produced the technology involved in creating these vaccines leaving little room for public scrutiny of their safety efficacy and their potential for unintended effects on human geneticsthis is particularly alarming given that over the past several weeks efforts have been taking shape in many countries to enforce mandatory vaccinations once a covid19 vaccine becomes available in some countries it appears likely that the covid19 vaccine will not be made mandatory per say but will be required for those who wish to return to any semblance of normalcy in terms of public gatherings working certain jobs leaving ones home for longer periods of time and so onwould those involved in creating such a mandatory vaccine eg darpa pass up the opportunity to utilize the same technologies involved in producing the vaccine for some of their other admitted goals this question of course has no obvious answer but the fact that the arc of darpas research is aimed at the weaponization of human biology and genetics in a way that is ripe for misuse suggests very worrying possibilities that warrant scrutiny indeed if one merely looks at how the crisis has been a boon for the orwellian plans of the national security commission on artificial intelligence nscai and the federal governments current efforts to dramatically increase its powers amid the current crisis it becomes increasingly difficult to give government agencies like darpa and their corporate partners like moderna and inovio the benefit of the doubtthis is especially true given that without a major crisis such as that currently dominating world events people would likely be unreceptive to the widespread introduction of many of the technologies darpa has been developing whether their push to create cyborg super soldiers or injectable bmis with the capability to control ones thoughts yet amid the current crisis many of these same technologies are being sold to the public as healthcare a tactic darpa often uses as the panic and fear regarding the virus continues to build and as people become increasingly desperate to return to any semblance of normalcy millions will willingly take a vaccine regardless of any governmentmandated vaccination program those who are fearful and desperate will not care that the vaccine may include nanotechnology or have the potential to genetically modify and reprogram their very being as they will only want the current crisis that has upended the world to stopin this context the current coronavirus crisis appears to be the perfect storm that will allow darpas dystopian vision to take hold and burst forth from the darkest recesses of the pentagon into full public view however darpas transhumanist vision for the military and for humanity presents an unprecedented threat not just to human freedom but an existential threat to human existence and the building blocks of biology itselfquestion everything come to your own conclusions", + "https://www.activistpost.com/", + "FAKE", + 0.08321104632329118, + 1656 + ], + [ + "Vitamin C can cure coronavirus", + "recommends 24000 milligrams of vitamin c or 266 times the mayo clinics daily dose for men these types of vitamin megadoses can combat viral infections like the flu a cold and the coronavirus by strengthening the immune system to prevent people from contracting them altogether", + "YouTube", + "FAKE", + -0.3, + 45 + ], + [ + null, + "strain was developed in us laboratories back in 2015 china decided to break off tossed the coronavirus several strains developed for different nationalities china coped threw it into european and arab countries the virus was in the capsule someone released it look for those who benefit", + "Tatyana", + "FAKE", + 0.03333333333333333, + 46 + ], + [ + "Fact Checking The Fact Checkers: Bill Gates, ID2020 & Vaccine Microchips", + "today we are going to fact check the fact checkers regarding many online reports that bill gates wants to implant microchips in people using vaccines to fight the coronavirusin this report we are going to focus on two articles that were published which claim to be the arbiters of truth in these confusing timesso is the claim that bill gates wants to inject you with a vaccine that contains a microchip to track who has and has not been vaccinated true watch the report below and decide for yourself the vaccine microchip theory is what i would call a red herring or engineered strawman whenever a real conspiracy is at play it never fails that someone somewhere injects a countertheory that goes beyond anything supported by evidence much like the hologram planes on 911 theory or the virus hoax theory which claims that all deaths are actually staged with crisis actors i believe these theories are floated into the alternative media by design and that they are meant to make the movement look ridiculous and irrational while distracting from the very legitimate and provable elitist agenda such as the push to institute 247 tracking of every citizen through biometrics and socalled immunity passports this threat is openly admitted easily evidenced and very real but instead we end up debating ludicrous notions that the entire pandemic is a stage play or we are presented with mindless minutia focusing on the semantics of bill gates tracking us with a microchip instead of bill gates tracking us with our own biometric attributes as he has consistently said he wants to do the goal here is to muddy the waters and divert people away from the core debate is it acceptable for the government or the elitist establishment to build a surveillance state and medical tryanny around us in the name of flattening the curve and the answer is no it is not and it should not be tolerated\n", + "https://www.alt-market.com/", + "FAKE", + 0.13681818181818184, + 325 + ], + [ + "Overhyped Coronavirus Weaponized Against Trump", + "rush folks this coronavirus thing i want to try to put this in perspective for you it looks like the coronavirus is being weaponized as yet another element to bring down donald trump now i want to tell you the truth about the coronavirus interruption you think im wrong about this you think im missing it by saying thats interruption yeah im dead right on this the coronavirus is the common cold folksthe driveby media hype of this thing as a pandemic as the andromeda strain as oh my god if you get it youre dead do you know what the i think the survival rate is 98 ninetyeight percent of people get the coronavirus survive its a respiratory system virus it probably is a chicom laboratory experiment that is in the process of being weaponized all superpower nations weaponize bioweapons they experiment with them the russians for example have weaponized fentanyl now fentanyl is also not what it is represented to beif you watch cop shows then you probably stick with me on this if you watch cop shows you probably believe that just the dust from a package of fentanyl can kill you if youre in the same room with it not true not true even the cheap kind of fentanyl coming from china thats used to spike heroin they use fentanyl cause its cheap it gives a quick hit doesnt last very long which is really cool if youre trying to addict peoplebut it doesnt kill people the way its projected on tv it can if you od on it but inhaling a little fentanyl dust is not going to cause you to lose consciousness and stop breathing as they depict on cop shows its dangerous dont misunderstand but it isnt the way its portrayed in popular criminal tv shows cop shows and so forth and so on the coronavirus is the same its really being hyped as a deadly andromeda strain or ebola pandemic that oh my god is going to wipe out the nation its going to wipe out the population of the worldthe stock markets down like 900 points right now the survival rate of this is 98 you have to read very deeply to find that number that 2 of the people get the coronavirus die thats less than the flu folks that is a far lower death statistic than any form of influenza which is an annual thing that everybody gets shots for theres nothing unusual about the coronavirus in fact coronavirus is not something new there are all kinds of viruses that have that name now do not misunderstand im not trying to get you to let your guard downnobody wants to get any of this stuff i mean you never i hate getting the common cold you dont want to get the flu its miserable but were not talking about something here thats gonna wipe out your town or your city if it finds its way there this is a classic illustration of how media coverage works even if this media coverage isnt stacked even if this is just the way media normally does things this is a hyped panicfilled version its exactly how the media deals with these things to create audience readership interest clicks what have youit originated in china in a little well not a little town its a town that is 11 million people wuhan china one of the reasons theyre able to hype this is that the doctor what warned everybody about it came down with it and died so if a doctor got it oh my god rush a doctor got it you cant possibly be right if a doctor cant protect himself he didnt know what he was dealing with he discovered it back in december im telling you the chicoms are trying to weaponize this thing heres the story on russians and fentanylfentanyl is a very very powerful opiate and for those of you that havent had any experience with opiates the people that get addicted to em take them and they get very euphoric they kill pain they do wonderful things but they make you very very euphoric they act like speed other people take em and they hate em it makes em vomit throw up feel nauseous it doesnt do anything for em theyre never gonna get addictedso in moscow the chechens way back im gonna go back now what is it maybe 10 years or longer a bunch of chechen rebels took over an opera house and had a bunch of russian hostages in there and made all kinds of threats and putin unbeknownst to anybody had weaponized fentanyl hed turned it into a gas an invisible gas he just put it in the ventilation system of this opera house or whatever it was im giving you the sketchy short version of this and everybody in there fell asleep and died you know in a drug overdose you stop breathingthats what it slows down your respiratory system so much that you stop breathing thats what an od is and everybody in that place including the chechens pfft had no idea what happened to em its not violent you just fall asleep for unknown reasons at the amounts that putin weaponized and put in there if you take a normal dose of fentanyl that you get from a doctor in a hospital its not gonna kill you obviously but the amount they weaponized and up to this time nobody had ever weaponized fentanylnobody had ever made it into an invisible odorless colorless gas until it was discovered that the russians had done it well every nation is working on things like this and the chicoms obviously in their lab are doing something here with the coronavirus and it got out some people believe it got out on purpose that the chicoms have a whole lot of problems based on an economy that cannot provide for the number of people they have so losing a few people here or there is not so bad for the chinese governmentthere could be anything to explain thisbut the way its being used i believe the way its being weaponized is by virtue of the media and i think that it is an effort to bring down trump and one of the ways its being used to do this is to scare the investors to scare people in business its to scare people into not buying treasury bills at auctions its to scare people into leaving cashing out of the stock market and sure enough as the show began today the stock market the dow jones industrial average was down about 900 points supposedly because of the latest news about the spread of the coronavirusand if you go deeper into china you will see that all of the hightech silicon valley firms are said to be terribly exposed they could be suffering a disastrous year why you may not be able to buy a new iphone of any model this whole year do you know that because the coronavirus is so bad that the factories may never open and if they do they may not be anywhere near full capacity so apple may not be able to release any new product you think thats not gonna panic investors it most certainly isso apple is trying to do what they can to suggest that these rumors are not true they got new products coming this year but the tech media hates apple they love antiapple stories they love anything that will let them report that apples on its last legs of course thats not true warren buffett came out today and said apple is the best run company ever hes a big stockholder so people will say hes biased about it but the bias you have to pay attention to is how much money he invested he got 36 billion in apple stock that berkshire hathaway hasthey sold 800 million of apple stock last week and everybody said oh my god hes getting out no hes not hes got 36 billion he sold 800 million no big deal he wanted to allocate it somewhere else so this is i think the coronavirus is an effort to get trump its not gonna work its one of the latest in a long line of efforts that the driveby medias making to somehow say that trump and capitalism are destroying america and destroying the world just keep in mind where the coronavirus came fromit came from a country that bernie sanders wants to turn the united states into a mirror image of communist china thats where it came from it didnt come from an american lab it didnt escape from an american research lab it hasnt been spread by americans it starts out in a communist country its tentacles spread all across the world in numbers that are not big and not huge but theyre being reported as just the opposite just trying to keep it all in perspectivebreak transcriptrush heres neil in orlando great to have you on the program sir hellocaller hello rush man im blessed to have the chance to talk to you i cannot believe it so you were talking about the coronavirus a little bit a while ago and whats the one thing that disappeared when the coronavirus came outrush well let me see what one thing just hang on what disappeared what disappeared what disappeared oh the protests in hong kong went awaycaller yes thats itrush thats a bigcaller yuprush whispering talent on loan from godcaller that sure isrush thats probably the big one the protests in hong kongcaller thats my take from it i dont know ive got a friend over there that sends me stuff but theres a lot we dont want to start any conspiracy theories but this will be my only time i ever get through to you cause ive been calling since 92 but i just want to say about your talent on loan from god just in the time i was on hold listening to you and it got me to the point where i just wanted to say that trump got no notice about russian meddling like sanders did so why not i wonder about that when carter was president my first home buying i was a firsttime home buyer the rate was 1333 ill never forget it and that was a firsttime homeownerrush i know i knowcaller that was a dealrush i know i knowcaller that was a deal at 1333rush i bought my first shack you know at that time in overland park kansas i had no business buying it but everybody said you gotta buy dont rent youre throwing money away if you rentcaller mmmhmmrush so you know my one time i became a conformist it got me i didnt want to live in this shack i never wanted to move into this shack but its what i bought so i had to move into the thingcaller and one morerush i didnt even want people to take me home i didnt want people to see this shack that i lived in one day were playing football the chiefs front office the royals front office after the baseball season thursday afternoon flag football george bretts playing and he offered to take me home i said chuckles no george im fine i didnt want brett to see where the shack was so yeah 13 interest rates during carter and it was bad carter actually coined the term malaise to describe his own administration and its effect on the american economywe had the misery index and all of thatbut look back to the coronavirus for just a second that is true that the hong kong protests strangely subsided as the news of the coronavirus expanded and ill tell you it is a way if you are a totalitarian government and you need to control your population one of the best ways of doing it is unleashing something they think is a deadly disease and then you as the dictator have the safety solutions you have the ability to round people up from their homes and take em to socalled health campsbe very leery of this folksit probably is not what the medias leading you to believe it is\n", + "https://www.rushlimbaugh.com/", + "FAKE", + 0.0330726572925821, + 2062 + ], + [ + "TOP HIV/AIDS Research Dr. Judy Mikovits Blows Whistle on Dr. Fauci; DISTURBING Details of Threats; Research Theft; Tainted Vaccines; Fraud; Cover-Ups", + "a top us scientist and research pioneer dr judy mikovits has broken her long silence revealing an insiders nightmare spanning three decades of conducting research under the governmental control of dr anthony fauci and the allegations are downright frighteningand if true these details warrant a host of new federal investigations to get to the bottom of numerous fauciled schemes revealed by dr judy mikovits on the thomas paine podcast on tuesday dr mikovits said fauci helped imprison her after stealing her proprietary research not once but twice and her allegations against the white houses coronavirus top medical advisor and his government cronies paint a disturbing portrait of widespread institutional corruption and greedthe alarming allegations include stealing research covering up tainted vaccines fraud and much more and faucis parent agency the national institute of health is not the only governmental agency involved in what amounts here to decades of corruption gone awry", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.07202797202797204, + 151 + ], + [ + "The flu vaccine can cause people to test positive for coronavirus", + "those who received the influenza vaccine are either more likely to test positive for the virus or to become sick with it children who received the trivalent threestrain flu vaccine that year had a higher incidence rate of coronavirus fyi if you got the flu shot you will likely test positive for corona remember they doubled the flu shot dose this year and even pushed it at the golden globes the post said the quadrivalent flu shot for the 20192020 season has a trivalent strain of coronavirus in itcoronavirus outbreaks in china and italy were due to increased vaccination vaccine derived virus interference was significantly associated with coronavirus the study states", + "Facebook", + "FAKE", + 0.10402597402597402, + 111 + ], + [ + "Coronavirus CENSORSHIP: Entire media falsely claiming Zero Hedge doxxed scientist by simply naming him as paper author", + "the leftwing media is having a meltdown over an article recently published by zero hedge that speculates about novel coronavirus being a potential bioweapon that originated in a laboratoryentitled is this the man behind the global coronavirus pandemic the article explains how a november 18 2019 help wanted ad put out by the wuhan institute of virology sought two postdoctoral fellows to use bats to research the molecular mechanism that allows ebola and sarsassociated coronavirus to lie dormant for a long time without causing diseasesthe job description which is still up on the schools website at the time of this writing explains that the position will involve working in the laboratory of dr peng zhou phd a researcher and head of the bat virus infection and immunization groupdr zhou started working with bats and communicable viruses back in 2009 having published dozens of articles about his findings in multiple science journals his lab also issued a press release about how bats can carry illnesses without getting sick themselves while transferring them to peoplethe zero hedge exposé on dr zhou is thorough in detailing dr zhous expertise on this subject which directly coincides with the unexpected release of novel coronavirus from what experts claim were either bats or snakes or both its also interesting that dr zhou has been doing research at chinas only levelfour biohazard labas it turns out dr zhou has not only been researching how bats act as carriers for lethal illnesses without getting sick themselves but also genetically engineering mechanisms to enhance you might say their carrier abilities he also appears to have created a highly resistant mutant superbug in the process\nas part of his studies peng also researched mutant coronavirus strains that overcame the natural immunity of some bats these are superbug coronavirus strains which are not resistant to any natural immune pathway and now appear to be out in the wild zero hedge explainsas of midnovember his lab was actively hiring inexperienced postdocs to help conduct his research into supercoronaviruses and bat infectionstwitter bans zero hedge for investigative reporting on coronavirus zero hedge concluded its article on dr zhou by publishing his email address and phone number for readers to reach him with inquiries about the subject prompting twitter to ban zero hedge from its service for supposedly violating its terms of servicesince when is it a digital crime to publish the identity and contact information of a scientific paper author you might be asking since novel coronavirus came along and the mainstream media decided that truth is offensivebuzzfeed news was among the first to publish its own article which we wont link to chiding zero hedge for allegedly doxing dr zhou even though it merely published ways for readers to reach him that are publicly availabledescribing zero hedge as a protrump blog a snide descriptor aimed at denigrating the integrity of zero hedge in the minds of buzzfeed news readers buzzfeed news falsely accused the independent media outlet of falsely accusing dr zhou of creating a bioweapon but heres the thing it appears that dr zhou was in fact suspiciously involved with all of the right research pertaining to the coronavirus outbreakif we still had an honest media in this country that engaged in actual journalism all the major media outlets would be asking questions about dr zhou and his work at the wuhan institute of virology but instead we have a complicit faux media that conducts no investigative research whatsoever while lambasting others like zero hedge that dofor more uptotheminute news about coronavirus be sure to check out pandemicnews", + "https://www.newstarget.com", + "FAKE", + 0.003053410553410541, + 597 + ], + [ + "15 Minutes In Sauna Will Kill The Coronavirus", + "viruses cannot live in the hot environments thats why your body raises temperature when you get sick if you feel sick go to sauna and sit there for couple hours alternate 15 mins in and out do it daily if you have chronic cough or sinus infection infrared sauna works best here is more you can do to protect yourself\n drink hot beverages such as peppermint burdock root turmeric hibiscus and ginger tea especially first thing in the morning\n use antiviral essential oils such as eucalyptus peppermint lemon and cinnamon\n avoid being around people who invoke the feeling of fear and panic in you fear weakens your immune system and blocks bodys natural defense mechanisms always remember love and joy strengthen your immune system\n eat fresh organic garlic and onions daily dont buy fake garlic imported from china real garlic must have hair at the bottom\n plant based diet is best when immune system needs a boost avoid meat dairy soy gluten and caffeine these substances create toxic metabolic byproducts and burden your body with additional stress\n take glutathione and astaxanthin supplements daily they help to reduce inflammation in the body and decrease the presence of creactive protein which is an indicator of inflammation", + "http://archive.is/", + "FAKE", + 0.16399055489964584, + 204 + ], + [ + null, + "people have been trying to warn us about 5g for years petitions organizations studieswhat were going thru is the affects of radiation 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling lte", + "Facebook", + "FAKE", + 0.15, + 47 + ], + [ + "NO TO 5G! SIGN THE PETITION!", + "5g will take all the oxygen out of the air and alters dna as well as causing covid19 the symptoms of exposure to 5g are very much like the symptoms of coronavirus", + "twitter", + "FAKE", + 0.26, + 32 + ], + [ + "EU left Italy ‘practically alone' to fight coronavirus, so Rome looked for help elsewhere, incl Russia – ex-FM Frattini to RT", + "the eus initial response to the massive outbreak of coronavirus in italy was largely inadequate and a lack of european solidarity opened the doors for russia and china former italian foreign minister franco frattini told rtthe new epicenter of the dreaded pandemic italy has been struggling to stop the spread of covid19 for weeks now the disease has already killed more than six thousand people in the country with over 60 thousand people infectedeu tried to pin the blame on italythe eu clearly underestimated the virus blaming the outbreak in italy on its national healthcare system flaws according to the twotime foreign minister and osce representative as a result brussels which preaches paneuropean solidarity failed to act when this solidarity was needed in the face of a crisis that eventually affected the entire blocfrankly speaking brussels is not doing enough at the very first moment italy was practically alone against the virus many said it was all because of the italian habits because italians do not respect the rules suddenly they realized all the other countries were equally affectedthe situation in other major eu states like germany and france deteriorated rapidly forcing them to deal with thousands of infected on their own soileveryone just focused on the situation at home before even thinking about helping others andrea giannotti the executive director of the italian institute of eurasian studies told rtthe lack of solidarity was recently noted from outside of the bloc serbian president aleksandar vucic decried european solidarity as a myth while praising beijing for its assistance his remarks came after serbia received five million masks from china which it could not get in europe\nthe eu is now trying to do more and somehow make up for its initial poor execution of a coordinated response former italian mp dario rivolta said\nbrussels has indeed ramped up its efforts suspending the blocs strict stability and growth pact regulating budgetary policy among others frattini particularly hailed this decision which allows rome to act freely in terms of budgetary spending as very important but this came only after europe realized its measures were inadequate to give a united responsestill it is not enough rivolta told rt adding that for the moment there are no major changes and while financial relief is necessary there are other things to be considered such as medical assistanceas for the medical aspects the only thing that the eu did up to now was to put barriers between italy and other countrieshuge support in terms of expertise at one point requests for help were sent out all over the world according to giannottisome italian embassies were tasked with negotiating with local governments in order to find any opportunities to receive assistance from abroad including help with equipment which italy lacks russia and china were among those who responded in total moscow prepared nine cargo planes with emergency aid delivering vital medical equipment and supplies as well as bringing experienced specialists in infectious diseases and military doctors to italy now they will be deployed to the most affected regions in the countrys northfrattini said the help was of the utmost importance what russia has done is not comparable to what other countries have done including china because china also sent something but not comparable with the support provided by russiathe specialists have provided very huge support in terms of expertise in terms of virology the assistance serves as a gesture of solidarity in times of european sanctions on moscow and the countermeasures giannotti said sending help despite the fact the situation in russia itself may also worsen means it is a clear message that moscow is ready to talk and settle issues with europe when there is a greater need for cooperationspeaking to rt the italian ambassador to russia pasquale terracciano agreed that a joint approach is the best way to put an end to the pandemicthanking moscow for the contribution he said it will be crucial to recover from this tragic situation hopefully soon", + "https://www.rt.com/", + "FAKE", + 0.07520870795870796, + 666 + ], + [ + null, + "president trump just announced that the biological lab in wuhan where the covid19 virus was created was funded by president barak sp hussein obama in 2015 to the tune of 3800000 american dollars this fact directly links obama to all 150000 deaths around the world", + "Facebook", + "FAKE", + 0.05, + 45 + ], + [ + "Biolab for “Most Dangerous Pathogens on Earth” Opened in Wuhan Before Outbreak", + "as of thursday afternoon 23 million people in seven chinese cities have been placed on quarantine due to the sudden outbreak of a deadly sarslike virus called 2019ncovthe illness is said to have originated in a seafood market in wuhan and quickly spread to other areas of china then japan thailand south korea and the united states suspected cases have been reported in australia and scotland however it is possible that there is more to the story as chinese authorities have been running a censorship campaign to prevent the spread of information about the virus that deviates from official statementsone very strange coincidence in the development of this outbreak is the fact that a new biolab tasked with studying the most dangerous pathogens on earth recently began operating in wuhanwhere the illness is said to have originatedback in 2017 just before experiments at the lab began the prestigious science journal nature published an article expressing concerns about pathogens escaping from the new wuhan lab the laboratory is a biosafety level4 bsl4 facility which is the highest level of biocontainment bsl4 facilities must meet rigid standards for decontaminating the area as well as workers after every experiment however bsl4 labs remain extremely controversial because critics argue that these measures may not be enough to prevent a virus from escapingaccording to richard ebright a molecular biologist at rutgers university in piscataway new jersey the sars virus has escaped from highlevel containment facilities in beijing multiple timesin may of 2019 less than a year before the outbreak began the us centers for disease control and prevention cdc issued a press release that gave an overview of the projects that the new lab was currently working on the projects included sars ebola hemorrhagic fever lassa fever avian influenza ah5n1 rift valley fever and othersscientists have examined the genetic code of the new virus and have found that it is more closely related to sars than any other human coronavirus in bsl4 labs researchers can tweak or combine deadly viruses to create mutated strains of the original illness a 2013 report in nature indicated that scientists in china were creating hybrid viruses in labsa team of scientists in china has created hybrid viruses by mixing genes from h5n1 and the h1n1 strain behind the 2009 swine flu pandemic and showed that some of the hybrids can spread through the air between guinea pigs the article revealedthe results of the hybrid virus experiment were published in the journal sciencesuch experiments are usually intended to teach scientists more about certain illnesses so they can be treated and prevented better but other research has involved intentionally making certain viruses even more deadly than they already were regardless of the motivation exposing people to these pathogens even in the most secure of settings can be risky especially considering the fact that contagions have escaped from secure labs in the past", + "https://themindunleashed.com/", + "FAKE", + 0.0892338669082855, + 481 + ], + [ + "MAINSTREAM NARRATIVE CENSORS ANY ATTEMPTS TO CONTAIN HYSTERIA OVER COVID-19", + "professor nyal ferguson on the basis of whose predictions the uk turned its policy 180 degrees and switched from the swedish version to the most severe quarantine and drones watching dog lovers in the wasteland predicted 500 thousand corpses in the uk and 2 million corpses in the usaafter based on all these terrifying predictions and expert assessments the whole west not counting sweden plunged into a lockdown antibody tests appeared and then it became clear how many people actually got sick and what real mortality wasbased on tests the mortality rate in the county of santa clara california sits between 01202in the county of los angeles also in california 018036in gangelt germany 037in the state of new york 058 and in the city of new york 086 while 21 of the population there was already illand then the daily mail comes along and says that the mortality may be up to 8 times higher not the 34 that the world health organization estimates but the 05and reports such as this that give confusing and unclear information but to which a large number of people have access is commonthe situation is the same with medication for covid19 on march 19th us president donald trump announced that chloroquine a wellknown cheap and old cure for malaria also helps with coronavirusprior to that elon musk whos quite a wellknown proponent of whatever is the flavor of the month praised itelon musk in march cited questionable sources saying that by the end of april there would be close to 0 infections per day in the us and that people should sit at homenow musk is riding the hightide of populism and is calling for free america nowelon musk hit out against the lockdowns that have kept businesses throughout the us closed for more than a month in a series of tweets late tuesdaygive people their freedom back tesla incs chief executive officer said as he promoted wall street journal analysis that suggested closures dont save many lives bravo texas musk tweeted highlighting a texas tribune story that said the states restaurants and other businesses can reopenmusk also said that he would reopen teslas vehicleassembly plant near san francisco tesla has been eager to reopen after having clashed with the county and the city of fremont over whether it was an essential business and could remain openessentially musk is attempting to support whatever is popular at the moment simply to achieve his own agenda to open his businesses but also be on the side of the popular majoritydr didier raoult the famous french infectious disease specialist creator and director of the mediterranean universityclinical institute of infectious diseases used it for treatmentthe results of dr raoult and his institute were outstanding by the end of march only 10 of the 2400 people who received treatment at his institute had diedbut as soon as trump said it would work the medication suddenly became worthless and unusablenevada democratic governor steve sisolak immediately banned the use of chloroquine for treating covid19 with his order while michigan democratic governor gretchen whitmer threatened doctors who used the medication with administrative sanctionsas for dr raoult he was immediately accused of quackery totalitarianism and sexual harassment but to be fair he said that universal testing was needed and that both choloroquine and azithromycin should be used in the early stages of the disease and then it was useless to apply them later onas such raoult may have not found the beall endall of covid19 treatments but rather found thats needed proper testingthen the abovementioned governors orders were immediately supported by other studies claiming that the medication shouldnt be useda group of scientists analyzed the medical history of covid19 patients in a hospital for american veterans and published a terrifying preprint 28 of those who received chloroquine died and among those who did not only 11 died and then the medication from notveryeffective in the later stages turned into something that kills patientsthe thing is that no information was given about the study thats being propagated at least raoult provided some evidencean additional adverse effect of this study was that chloroquine has been consumed for over 80 years this is the oldest and wellproven cure for malaria it is produced in tons its wholesale price for africa is 4 in words four cents it is included in the who list of essential medicines which includes only the safest and most needed medicines and it claimed that it kills peoplefor 80 years chloroquine has been a cheap common safe generic and only when it turned out that the medicine was priced at 4 cents it was established that it couldnt cure covid19 because it would potentially be too cheap and accessibleanother promising drug was remdesivir an ebola drug developed by gilead sciences and what on april 23rd who accidentally posted on its website test results that showed that remdesivir was no goodthe tests were carried out so incorrectly that who had to immediately remove the article from the site and even claim that it got there by mistakebut the deed was done gilead shares crashed explanations by its scientists that the whoprovided clinical trials were incorrect did not interest anyonemedia informed the whole world that the drug did not work in the gold standard trials and the trials themselves had to be interrupted due to side effectsthe trick of all these stories is that trials by all medical rules double blind randomized cannot be done at all in an epidemic and to conduct them is immoral during the epidemic the doctor will not leave a whole group of patients without a medicine that he thinks can help them only to check if this medicine worksat the same time the epidemic removed barriers to the quality of information and articles and preprints began to appear on professional websites that would never have been reviewedits a catch22 situation any positive news wouldnt be taken into account because didnt pass the doubleblind randomized test while negative news would be immediately shared because in an epidemic you want to get to the most audience and its easier to believe fearmongering since the climate itself facilitates it\nand it is possible that the vaccine testing would undergo the same treatmentmany live vaccines tend to stimulate the innate immune system and thereby protect not only from the disease from which the vaccine works but also from a wide range of infections in generalthe stimulation mechanism is sufficiently proven and studiedespecially remarkable in this sense is not even the bcg vaccine but the live polio vaccine which has been used for a long time in developing countries where it not only protected against poliomyelitis but also reduced infant mortality from other infections by 30\nin the ussr the same vaccine reduced the incidence of influenza by 75this live vaccine perhaps could serve as a serious defense throughout for example the year and a half during which the vaccine itself against the virus is being developed the vaccine costs 10 centsthe famous virologist and founder of the global virus network dr robert gallo best known for his discovery of hiv announced the start of clinical trials of the polio vaccine against covid19a vaccine that is already ready which costs 10 cents which will radically reduce morbidity and mortality from covid19 and there are no side effects from it in children one case in three million despite what the antivaxxers say who rightly stated that it does not recommend the use of a live polio vaccine against coronavirusas the number of antibody tests grew and it became clear that 2025 of the population was already infected in new york and there was a danger of people returning to the streetsand on april 24th the who stated that it is categorically against lifting quarantine for those who have been ill because it has no data that all people develop stable immunity in some patients who warns antibody levels are very low and tests can give a falsepositive result therefore even those who have been ill cannot go to workso does that mean that vaccination also doesnt work if according to who even after an illness there is no guarantee that antibodies will be produced how will they be produced after vaccinationthat is the recommendation by who is translated like this there is no cure for this disease that is the who of course did not check but there are a couple of preprints saying that theres no cure and it cannot ignore such important evidencebasically people should sit at home and more importantly generally keep quietpeople want to work so as not to starve to death just call them a fascistif they raise the question that people without work will get drunk get on drugs commit suicide just call them a fascist covidiotif they attempt to timidly stutter that closed hospitals will lead to a monstrous increase in mortality from cancer from cardiovascular diseases from diseases of the kidneys liver once again just call them a fascist and covidiotthis isnt to say that covid19 is not a serious pandemic it is an astounding test of the strength healthcare systems as seen in france and italy which occupy the 1st and 2nd position in the who ranking and of the us which occupies the 37th positionand italy and france appear to be passing the test while the us seems to be failing entirelyall of the listed above paints a very stark picture this is no longer an attempt to solve a real problem but rather an attempt to make the problem unsolvable and the control and power of the bureaucrats is eternal", + "https://southfront.org/", + "FAKE", + 0.06153982317117913, + 1607 + ], + [ + "5 Cancer-Fighting Essential Oils & 5 Ways to Use Them", + "essential oils are one of the most potent forms of plantbased medicine in the world from killing viruses like coronavirus to promoting relaxation to soothing skin scrapes to supporting the immune system essential oils offer countless benefits to your lifeto be clear the use of these oils is no fad essential oils have thousands of years of history in traditional medicine in the most ancient of cultures the egyptians the chinese the greeks they all used essential oilsfrom the times of biblical medicine on through to today essential oils are used throughout the world until fairly recently theyve been better accepted and popular outside of the united states but im happy to see that so many americans are catching on to the immense benefits of these healing oilsone of my favorite examples of the long history and effectiveness of essential oils is about a group of thieves in england who despite daily contact with corpses who had succumbed to the black death the plague didnt get sickthe story goes that the king heard about these men who would enter the homes of those taken by the plague rob them of all their valuables yet did not fall ill from the highly contagious disease the king had these thieves captured and when they were brought in front of him he demanded they reveal their secretthey confessed to being from a family of a long line of apothecaries they were familiar with the immune protection provided by certain blends of oils which they would rub all over their bodies before going thieving they say the king forced the men to reveal their recipe and then subsequently used the oils to protect himself and his family from the ravages of the black death they also say the recipe is still in the royal archives to this daynow i dont know if all this is all true or not but the moral of the story is certainly sound my own personal appreciation of the wide variety of benefits of essential oils including their ability to protect the body from harm began during my initial travels for the quest for the cures and a global quest documentary series it was then that i realized how truly overlooked essential oils are as a component of the puzzle that is health and healing from diseasethese days my family and i use essential oils in a variety of ways on a daily basis our uses for these therapeutic powerhouses are wideranging ill list out more further down but a few ways we personally use essential oils include as medicines for personal care products as our cleansing agents and morewhy do we believe everyone should follow in our footsteps and rely on essential oils tooits simple my family has opted to use safe natural remedies that have thousands of years of history proving their benefits over a dependence on prescriptions of synthetic drugs that have a long list of side effects which are nothing short of dangerouslikewise we prefer to use personal care products and household cleaners that are superior alternatives to those containing toxic ingredients we get the same or even better results while losing the risk of damaging our bodiescharlene and i are frequently asked about what essential oils we favor and also how we use them so i thought id share with you some of our favorite anticancer oils and some tips for uses before i list our favorite essential oils for preventing and healing from cancer just a reminder that when you are choosing essential oils to always look for the highest quality you want oils that are certified organic with 100 purityamazing anticancer essential oils in alphabetical orderfrankincense frankincense may well be my number one favorite essential oil for its anticancer properties it is antiinflammatory for one which is vital in the quest to heal from all cancers specifically frankincense has been shown to be a potent inhibitor of 5lipoxygenase an enzyme responsible for inflammation in the bodyfrankincense essential oil also helps boost immune function and prevent illness by dangerous pathogens by multiplying white blood cells and modulating immune reactions\nit also helps improve circulation and reduce stress it has sedative properties as well as being a known pain reliever oil of frankincense has been shown to contract and tone tissues which helps to speed regenerationfrankincense is also shown to provide neurological support including the ability to destroy toxins that may lead to neurological damagehowever this essential oil has several benefits beyond cancer treatment including easing arthritis pain balancing hormones encouraging skin health and aiding digestionlavender as ive written elsewhere on the truth about cancer site lavender essential oil contains the phytochemicals perillyl alcohol and linalool both found to support cancer healing not only is lavender a known pain reliever true lavender lavandula angustifolia is antitumoral and has demonstrated significant results in resetting the programmed cell death usually lacking in cancer cells it has been observed to reduce the weight of tumors and inhibit cell growthlavender essential oil reduces stress and supports the function of the immune system quality of sleep is improved depression and anxiety are relieved all of these go towards supporting the immune system in the often immunocompromised cancer patient yet lavender oil has several direct antibacterial properties as wellstudies have shown lavender essential oil to be effective against many common germs as well as the more serious ones such as staphylococcus aureus golden staph it does so by supporting the macrophages and phagocytes systems in the body as well as helping the body fight the infection through its influence on genetic activitymyrrhmyrrh is one of those somewhat obscure essential oils that has a variety of powerful healing properties that should not be overlooked in terms of cancer myrrh essential oil exhibits notable effects on cancer cell growth and contains antiinflammatory propertiesin addition myrrh is known to support healthy hormone balance which can be essential in cancer healing like lavender and frankincense myrrh oil has long been used as a pain reliever it is also antifungal with all these qualities myrrh is a potent therapeutic support for your healthpeppermint peppermint is another wonderoil with a wide range of benefits this essential oils cancer benefits come from its phytochemicals limonene phytochemicals betacaryophyllene and betapinene which have defined cytotoxic and antiinflammatory effectsstudies have also shown peppermint essential oil to reveal antioxidant and cancer inhibiting properties suppressing growth of tumors in addition peppermint oil contains antiangiogenic properties which prevent tumors from developing their own blood supplypeppermint essential oil is a wellknown antiseptic with antimicrobial components that benefit respiratory infections such as bronchitis open wounds tonsillitis and laryngitis peppermint is so powerful its even useful against stronger bacterias such as staphylococcus aureus and others that are often antibiotic resistant\nturmeric curcumin in labs curcumin has been found to inhibit enzymes such as cox2 that cause inflammation which can lead to cancer to activate a gene that suppresses tumors cut cancer cells off from their fuel and oxygen sources to kill large bcell lymphoma cells prevent cancer stem cells from regrowing and stop the spread of cancer metastasisturmeric essential oil has been shown in studies to differentiate between normal and cancerous cells while promoting apoptosis cancer cell deaththis powerhouse oil has other benefits as well including helping to regulate blood sugar help wounds heal faster prevent alzheimers disease prevent help you lose weight and ease arthritis5 tips for using essential oils for heath healing using essential oils is so integral to my familys life its hard to list every way we use them however here are some top tips for using essential oils in your daily life be sure to check my list of precautions below to get the most from your oilsput a drop behind your ears for example every day charlene uses myrrh and frankincense behind her ears and on her lymph nodes as a prophylactic preventative protection lavender or peppermint would be good for respiratory issues or simply to relax you can rub on the back of the skull the breasts or the bottoms of your feetuse a cold diffuser we love to diffuse essential oils throughout our home we do it for added mental clarity and immune support for the entire family my office is always filled with the therapeutic aromas of a variety of essential oilsmassage into the skin some essential oils like peppermint and clove are very strong and youll do well to choose a good carrier oil you use a good quality organic preferably coldpressed oil like coconut olive or jojoba to mix in a few drops of the essential oil of your choice you can then massage this simple body butter onto your skin for a bit fancier body butter use a mixer to whip solid coconut oil with essential oil use this mixture to apply directly to affected areas such as with pain arthritis or digestive issues and for quick absorption and overall health benefits\ningest internally one of my favorite refreshing drinks i like to make is a peppermint lemonade i simply take 23 drops of peppermint essential oil 34 drops of lemon or orange or tangerine oils depending on my mood add water some organic green stevia and ice in a large pitcher its a superfast healthy beverage that i love its also delicious as a hot beverage use hot water and omit the ice if youre just making one cup at a time use only 1 drop of peppermint 1 drop of a citrus oil essential oils are powerful and a little goes a long way you can also use a few drops of essential oils in an empty gel capsule and swallow it\ntoothpaste you can make a variety of personal products using organic essential oils and other nontoxic ingredients lotions face washes mouthwash soaps a toothpaste is easy to make using high quality certified organic frankincense myrrh and coconut oil maybe add in some baking soda if you prefer too\nprecautions for using essential oilsquality this is so important that it bears repeating always use a topquality medicinal grade oil it should be certified organic and 100 pure check the reputation of your supplier and ensure there are no fillers or additiveskeep oils away from sensitive areas essential oils are natures powerhouses keep in mind they are 4050 times more potent than the plant itself some oils are more spicy than others some taste better than others oregano is one that can burn a bit when you ingest it directly peppermint requires caution and usually does best with a carrier oil when applying to the skin never apply essential oils to sensitive areas of the body including the genitals or near your eyesyou should also test new oils to ensure there are no reactions before applying too liberally you can start by doing a sniff test of the oil in the bottle if that seems fine then apply a dab of carrier oil to the inside of your wrist or arm add a drop of oil and wait to see if there is any redness itching or swelling everybody and every body is different so you may need to try different oils to see which ones feel best to you\ndo not heat oils youve probably seen or even have one of those oil burners for using essential oils what you may not know is that heating these oils destroys their healing properties its always best to use a cold diffuser these are plentiful and economically priced online\nchildren always be cautious when using essential oils with children diffusion is safest for direct application its important to dilute the stronger oils especially with a good carrier oil when making body butters or massage oils for children use 1 drop of essential oil to 4 tablespoons of carrier oil this will dilute the essential oil enough to make it more tolerable and safer for your child be very careful not to place near the eyes and always do a sensitivity test first", + "https://thetruthaboutcancer.com/", + "FAKE", + 0.13637057005176276, + 1999 + ], + [ + "FORCE VACCINATION, FORCING BRAIN DEBILITATING AGENTS, WILL BE INTRODUCED AS THE CORONAVIRUS PANDEMIC IS DECLARED", + "after the pandemic has been officially declared the next step may be also at the recommendation either by who or individual countriesforce vaccination under police andor military surveillance those who refuse may be penalized fines and or jail and forcevaccinated all the sameif indeed forcevaccination will happen another bonanza for big pharma people really dont know what type of cocktail will be put into the vaccine maybe a slow killer that actsup only in a few years or a disease that hits only the next generation or a brain debilitating agent or a gene that renders women infertile all is possible always with the aim of full population control and population reduction in a few years time one doesnt know of course where the disease comes from thats the level of technology our biowar labs have reached us uk israel canada australia", + "https://southfront.org/", + "FAKE", + -0.025, + 142 + ], + [ + "Dead: founder of Canada’s P4 Lab, key to Wuhan coronavirus investigation", + "the sudden death of canadas first coronavirus biosafety level 4 lab director general makes people wonder if dr frank plummer was assassinatedmr plummer was the key person to the wuhan coronavirus investigation because chinese spies have stolen viruses from this canadian p4 lab and shipped to chinaplease click on the link to read more httpsgreatgameindiacomfrankplummercanadianlabscientistkeytocoronavirusinvestigationassassinated", + "https://gnews.org/", + "FAKE", + 0.13333333333333333, + 55 + ], + [ + "China’s Coronavirus. “We Cannot Rule Out Man Made Origin of these Infections”", + "in earlier articles i related the opinions of biochemists and biowarfare specialists on the circumstances justifying suspicion of a virus being created in a lab and deliberately released in a foreign country as a means of either low or highintensity warfare or as merely a means of destabilising a nation and perhaps severely damaging its economy with the loss of life being an added plus the us is the country that appears most devoted to biological warfare though a number of other nations are eager participants including the uk and israeli would remind readers here of the statement from pnac in a report titled rebuilding americas defenses that advanced forms of biological warfare that can target specific genotypes may transform biological warfare to a politically useful tool\nthis subject is difficult to discuss openly in a nation of people or even within international bodies like the un the infliction of such a pathogen onto a nation is clearly an act of war however if the leaders have not irrefutable proof of a bioweapon and its source and are not prepared for a military response the only solution is to remain silent and emphasise research on defensive measures in the event of a recurrence even with overwhelming circumstantial evidence a public statement or an accusation would likely be derided as yet another unfounded conspiracy theory this is essentially the same with disclosure to the un general assembly or other such body an accusation lacking conclusive proof would merely be derided and embarrassingthis is similarly true with destabilization and violence as china has very recently experienced in hong kong and which has not yet stabilized and the violence in tibet and xinjiang the american black hand from the american consulate was caught redhanded in hong kong and sources of funding the hk terrorists are now being identified there is no dispute anywhere that the violence and terrorism in both tibet and xinjiang were americaninspired and funded but absolute irrefutable proof is lacking all of these are clearly acts of war but lacking final proof responses are limited to defensive measuresin a previous article on chinas new coronavirus i referred to a thesis on biological weapons by leonard horowitz and zygmunt dembek who stated that clear signs of a geneticallyengineered biowarfare agent were a a disease caused by an uncommon unusual rare or unique agent with b lack of an epidemiological explanation ie no clear idea of source c an unusual manifestation andor geographic distribution such as racespecificity and d multiple sources of infectionchinas coronavirus appears to satisfy all four criteria this is especially true since it appears that only one caucasian and some japanese has been infected to date with the virus so far appearing to be tightly focused to chinesealso the statement by dr leonard horowitz who quoted one military expert as saying even if you suspect biological terrorism its hard to prove its equally hard to disprove you can trace an arms shipment but its almost impossible to trace the origins of a virus that comes from a bug another expert stated that a properlydone release of an infectious agent cannot be traced to its source and might be considered an act of godin 2003 many russian medical experts voiced the opinion that the sars virus was most likely manmade and deliberately released as a weapon sergei kolesnikov a member of the russian academy of medical sciences said the propagation of the sars virus might well have been caused by leaking a combat virus grown in bacteriological weapons labs because the natural compound of contained virus genome sections was impossible that the mix could never appear in nature but could be done only in a laboratoryat the same time nikolai filatov the head of moscows epidemiological services stated he believed sars was manmade because there is no vaccine for this virus its makeup is unclear it has not been very widespread and the population is not immune to it\nit appears the russians may be arriving at the same conclusion for chinas new virus in 2020 the text below consists of a condensed version of an interview conducted by the russian news portal mkru on january 27 2020 with igor nikulin a former member of the un commission on biological and chemical weapons 19982003the article begins by noting that the prevalence of the coronavirus in china is increasing while beijing takes extraordinary measures to reduce the impact of this disaster it further states that a number of experts note strange coincidences in the circumstances of the emergence of this new infection and are reluctant to exclude an artificial origin mr nikulin was asked to comment on the situationrussian expert we cannot rule out man made origin of these infections\ninterviewer in recent years dangerous for humans coronaviruses appear more and more often what does this have to do with anythingnikulin with these coronaviruses the situation is really very strange until 2000 none of them jumped on a person they have been living next to humans for millions of years but always only on some animals parasitized for example on camels as in the case of mers or on bats birds anyone but this infection did not pass on to a person and there are already 8 deadly viruses in 20 years its obviously too muchinterviewer so we cant rule out the manmade origin of these infectionsnikulin if it was the first outbreak youd think it was a natural mutation but it is hardly natural because every few years such incidents are repeated its atypical pneumonia its avian flu its swine flu its something elseinterviewer some experts note that the time of the outbreak in china seems to be chosen specifically to cause maximum harm just on the eve of the new year on the eastern calendar when in china mass internal migration for the holidays as well as events with the participation of a large number of people and the place seemed to be specially selected historically and geographically all roads in china lead to wuhan it is the largest transport hub the largest international airport through it planes fly to the states australia japan the middle east paris london moscow besides these coincidences what can prove the artificial origin of the virusnikulin just deciphering the genome its results may show if it is a virus of natural origin or laboratory when some recombinant piece is inserted into the gene there are modern computer programs that allow you to read all this decipher and compare with the samples available in databases\ninterviewer is it possible that the new coronavirus only affects people of chinese nationality so its set on certain features of the human gene\nnikulin if it turns out that this is indeed the case then such a natural mutation cannot be accurate its mathematical proof that its an artificially created virus\ninterviewer in which labs can it appearnikulin i can only assume but look china like russia is surrounded by american research biolaboratories they are in different countries along the perimeter of chinas borders in kazakhstan kyrgyzstan afghanistan pakistan taiwan philippines south korea japan they were in indonesia but they closed them and wherever there are these american biolaboratories or near them there are outbreaks of new diseases often unknown threats to the local population are simply ignored by americans the main thing is that it was away from the territory of the united statesinterviewer how many foreign biolaboratories do the us havenikulin its 400interviewer they are overseen by the pentagonnikulin of course its all funded from the pentagon budget therefore it is not necessary to say that peaceful humanitarian research is being carried out there do you think the pentagons money is being spent on peaceful research no one is allowed in these are military labs when more than a hundred people died in georgia near such a laboratory within one month do you think someone was allowed to go there no one was allowed into the american laboratory at all\nthose countries that consider themselves victims of bioterrorism should investigate all these cases and bring them up for international discussion for example to the un security council to raise the issue of the activities of american biolaboratories outside the united states we have to do something because a lot of people are already suffering from it and in general it is necessary to strengthen the biosecurity of the country", + "https://www.globalresearch.ca/", + "FAKE", + 0.045085520540066024, + 1403 + ], + [ + "Vitamins C and D Finally Adopted as Coronavirus Treatment", + "remember last year when washington post reporters were boldly declaring that vitamins c and d could not and should not be used against respiratory infections the information i was sharing about their use was deemed so dangerous to public health that i was branded as a fake news site by selfappointed pharmaowned arbiters of truth like newsguardhow times have changed after having defamatory lies published about me vitamins c and d are now finally being adopted in the conventional treatment of novel coronavirus sarscov2 that just goes to show that when push comes to shove the truth eventually prevails when the medicine cabinet is empty and doctors have limited options suddenly the basics become viable again and that is good news indeed as its likely to save thousands of lives while keeping health care costs down\nvitamin c treatment implemented for coronavirus infectionas reported by the new york post march 24 20201seriously sick coronavirus patients in new york states largest hospital system are being given massive doses of vitamin c dr andrew g weber a pulmonologist and criticalcare specialist affiliated with two northwell health facilities on long island said his intensivecare patients with the coronavirus immediately receive 1500 milligrams of intravenous vitamin c identical amounts of the powerful antioxidant are then readministered three or four times a day he said the regimen is based on experimental treatments administered to people with the coronavirus in shanghai chinathe patients who received vitamin c did significantly better than those who did not get vitamin c he said it helps a tremendous amount but it is not highlighted because its not a sexy drug weber said vitamin c levels in coronavirus patients drop dramatically when they suffer sepsis an inflammatory response that occurs when their bodies overreact to the infection it makes all the sense in the world to try and maintain this level of vitamin c he saida northwell health spokesperson has reportedly confirmed that vitamin c treatment is being widely used against coronavirus within the 23hospital system according to weber vitamin c is being used in conjunction with the antimalarial drug hydroxychloroquine and the antibiotic azithromycin which have also shown promise in coronavirus treatmentvitamin c is a vastly underutilized antiviral drugaccording to dr ronald hunninghake an internationally recognized expert on vitamin c who has personally supervised tens of thousands of intravenous iv vitamin c administrations vitamin c is definitely a very underutilized modality in infectious disease considering its really a premiere treatment for infections\nin my interview with him hunninghake suggested one of the reasons why conventional medicine has been so slow to recognize the importance of vitamin c has to do with the fact that theyve been looking at it as a mere vitamin when in fact its a potent oxidizing agent that can help eliminate pathogens when given in high doses there are also financial factors in short its too inexpensive conventional medicine as a general rule is notoriously uninterested in solutions that cannot produce significant profits one of the primary reasons were now seeing its use against covid19 is undoubtedly because we had no expensive drugs in the medical arsenal that could be turned toin my march 17 2020 interview with dr andrew saul editorinchief of the orthomolecular medicine news service he mentions being in contact with a south korean medical doctor who is giving patients and medical staff an injection of 100000 ius of vitamin d along with as much as 24000 mg 24 grams of iv vitamin c hes reporting that these people are getting well in a matter of days saul says as explained by saul vitamin c at extremely high doses acts as an antiviral drug actually killing viruses while it does have antiinflammatory activity which helps prevent the massive cytokine cascade associated with severe sarscov2 infection its antiviral capacity likely has more to do with it being a nonratelimited free radical scavenger as explained by saul in our interviewcathcarts view is that you simply push in vitamin c to provide the electrons to reduce the free radicals this is the way cathcart and levy look at vitamin cs function at very high doses as an antiviral at modest doses normal supplemental doses vitamin c strengthens the immune system because the white blood cells need it to work white blood cells carry around in them a lot of vitamin c so vitamin c is very wellknown to directly beef up the immune system through the white blood cells", + "https://www.organicconsumers.org/", + "FAKE", + 0.06004117208955919, + 743 + ], + [ + "Is 5G a Deadly Trigger for the Coronavirus?", + "the uneven spread of the novel coronavirus around the world was clustered in several hot pockets while leaving other areas with scant outbreaks this pattern developed in china with the epicenter of wuhan city in hubei province owning at one time more than 99 of the cases and deaths over the rest of the country of 14 billion peopleoutside the mainland taiwan and hong kong have not experienced the runaway infections or deaths that china did with the latter twice experiencing the restart of last years protests although the coronavirus spread fast in south korea and japan in the beginning both outbreaks were extinguishedin south korea the vectors for two of the countrys four clusters came from a wuhan branch of a cult church and a catholic church pilgrimage returning from israel since then south korea has moved aggressively to defuse new clusters by radically testing people and disinfecting mass transit systems daily with more than 9100 cases and 126 deaths and with onethird recovered korea has fewer cases and deaths than new york city today south korea also boasts the fewest number of new coronavirus cases according to the bbcjapan took a different route with the novel virus japan has only 1200 cases and 130 deaths a total of 712 infections came from one supercluster in the diamond princess cruise ship docked in yokohama thats more than half of the entire countrythe international olympic committee recently canceled the tokyo summer olympics the cancellation isnt due to the outbreak in japan but likely from so many nations battling the virusthe new epicenter of northern italyin march the covid19 outbreak shifted from china to northern italy soon after the entire nation of 60 million was placed under strict quarantine social distancing turned into permission slips to leave ones home despite the containment efforts the virus hit italy very hard it emptied streets stopped life as italians knew it while killing more than 7500 people out of 75000 total infectedon the first weekend of spring images emerged from italy showing similar scenes of horror scenes that were eerily reminiscent of wuhan people walking down the street collapsing dead without any external force dozens of such videos and photos showed the fallen people spread eagle flat on their backs face down on sidewalks lifeless no blood splatter outside of one similar case in new york city no other place in the world has produced such anomalieswhywhat causes people who appear to be fit to keel over without a seizure or to tremble suddenly what is the underlying cause and what makes wuhan and northern italy different than other parts of the world so different that covid19 kills people with no apparent explanationwhy wuhanin 2018 chinas ministry of industry and information technology selected wuhan as a pilot city for the made in china 2025 plan the overarching goal aimed at the industrial city of 11 million to become the worlds internet of things mecca the goal a 5g smart city that would connect homes offices hospitals factories and autonomous vehicles via a digital fabricrenowned for its factories and severe pollution the chinese communist party ccp envisioned elevating wuhan as the global smart city of the future all of the commands controls data sharing and data flowing through artificial intelligence systems would showcase china as the preeminent digital leader of the world\nat the center of the plan the chinese telecom syndicate of zte huawei hubei mobile and china unicom began to transform wuhan into a giant 5g hot spot for wireless technology the 5g launch in the hubei capital city culminated with the october 2019 military world games wuhan activated 20 of its 10000 5g base stations and the rest by the end of the year with the hottest 5g pilot city on the planet the ccp planned to leverage the publicity to attract more foreign investment and lure international businesses to prop up chinas flagging economythen disaster strucka new pneumoniain middecember just six weeks after the military games concluded the first cases of a new pneumonia started to show up in area hospitals over 72 hours through new years day scientists decoded the novel virus on january 2 wuhan notified the ccp and the peoples liberation army pla about the outbreak the two governing bodies of the peoples republic of china took precautions for their leaders personnel and buildings instead of telling the world about the outbreak the regime kept it under tight control three weeks after sequencing the virus xi jinping finally made his first public comment about the discovery of covid19 and the epidemic ravaging wuhanby then the epidemic erupted out of control millions became infected and tens of thousands in hubei died these numbers far exceeded the official numbers claimed by the ccp and supported by the world health organization whoat its height many leaked videos showed people falling collapsing or sprawled dead in the streets of wuhan nowhere else in the infected areas of china did similar scenes show that type of deaththen a clinical study comparing imported cases of covid19 in jiangsu province by jian wu et al discovered a key finding between wuhan and jiangsu patientscompared with the cases in wuhan the cases in jiangsu exhibited mild or moderate symptoms and no obvious gender susceptivity the proportion of patients having liver dysfunction and abnormal ct imaging was relatively lower than that of wuhanso what was the underlying cofactor that separated wuhan from all other areas in china and what was the factor that was making the virus more virulentbody bagswhile the who praised chinas response to the outbreak only in wuhan did the police weld infected people in their apartments to die only in wuhan did they burn bodies beyond the capacity of the crematoriums only in wuhan did the regime receive accusations of burying the dead in body bags under cover of the nightin looking for a cofactor several outlets suggest wuhans acute pollution was to blame for the virus death toll others theorized that a vaccine trial primed a subset of citizens making them more vulnerable to covid19 in the former there are many other cities in asia as polluted that didnt experience the same corona clusters while in the latter no new vaccine trials were launched in wuhan in 20195g microwave effects at 60ghz in 2001 shigeaki hakusui then president of harmonix corporation explained why fifthgeneration wireless technology was needed to reach the goal of creating smart cities he said it would require bandwidth and efficiency to meet the data demand as the internet moved toward mobile technology that was two decades agohakusui noted that 60ghz was the true radiofrequency that would allow for reliable transmission of data due to its 98 percent oxygen absorption rate this allows the invisible signals to travel from point a and b and back again on the same path superefficient and a technological milestonehakusui writessince the presence of o2 is fairly consistent at ground level its effect on 60ghz radio propagation is easily modeled for margin budgeting purposes also the high level of attenuation from oxygen absorption makes even the worst weatherrelated attenuation insignificant especially on the short paths where 60ghz systems operatehe stated unequivocally that 60ghz would deliver the last mile efficiently as the oxygen absorption makes possible the samefrequency reuse within a very localized region of air spacethe downside to 5g however is the lack of biological safety and health tests to support its global rollout even workers who installed 5g towers are burning them down does the electrification of the entire planet make sense do thousands of satellites being deployed where infrastructure doesnt exist such as the oceans make senseunsettling resultstesting 5g by trial and error has already produced some unsettling results they include the mass deaths of birds in the netherlands the cutting down of half of sheffield englands trees and strange illness clusters of children in some us schoolsmost people dont grasp or care that their wifi can send signals through drywall glass and concrete slabs just the same as beams go through the human body and with 5g a far more focused beam those signals have no trouble traveling through a personthe problem is for every breath we breathe our blood transports oxygen throughout the core extremities to the vital organs heart and brainif 5g at 60 ghz frequency zips through the air absorbing most of the oxygen disrupting the electrons that bind 02 molecules that combined with a hydrogen atom form water vapor what is that frequency doing to blood cells which consist primarily of water and carry the oxygendo the disruption of the bodys biorhythm breathing and oxygen distribution begin to explain what happens to the people who dropped deadmt everest death zonestudies of acute mountain sickness show that as climbers ascend in altitude they hit an endurance wall from a lack of oxygen at 4500 m 14764 feet the real amount of oxygen in the air composition is only 12 diluted which is approximately 60 of sealevel oxygen according to brazilian scientists who published a paper last yearhigher up the mountain in the death zone of mt everest climbers die due to severe hyperbaric hypoxia even with bottled oxygen as their blood coagulates in another view altitude sickness starves the brain of oxygenthat does stack up and explains the unusual scenes of wuhan citizens dying literally in the streets they keel over dead not shaking from a heart attack or seizure never resuscitatedmilan in northern italy is the 5g capital of europe iran where suspected millions have been infected has installed 5g deployments and sure enough the three princess line cruise shipsdiamond grand and now rubyhad geo and meo satellites beaming 5g down to the ships as they travel via a medallion net receiver system last autumnalthough south korea is a wirelessly connected nation it doesnt have the number of cases like other places in the world that does yet its third and fourth coronavirus clusters were in 5ghot gymnasium and hospitalas the anomalous deaths of people in wuhan and italy can attest society the telecom industry and government are long past due to study the health effects of 5g especially at the unlicensed 60ghz frequency", + "https://vaxxter.com/", + "FAKE", + 0.03880022144173086, + 1697 + ], + [ + "Visualizing The Secret History Of Coronavirus Bioweapon", + "the below visualization the secret history of coronavirus bioweapon is based on greatgameindias exclusive report coronavirus bioweapon how china stole coronavirus from canada and weaponized it the saudi sars sample on june 13 2012 a 60yearold saudi man was admitted to a private hospital in jeddah saudi arabia with a 7day history of fever cough expectoration and shortness of breath he had no history of cardiopulmonary or renal disease was receiving no longterm medications and did not smokethe canadian lab on may 4 2013 a sample of this saudi sars aka novel coronavirus from the very first infected saudi patient arrived in canadas national microbiology laboratory in winnipeg via ron fouchier of erasmus medical center in rotterdam netherlands who sequenced the virus sample chinese biological espionage in march 2019 in mysterious event a shipment of exceptionally virulent viruses from canadas nml ended up in china the event caused a major scandal with biowarfare experts questioning why canada was sending lethal viruses to china four months later in july 2019 a group of chinese virologists were forcibly dispatched from the canadian lab the only level4 facility equipped to handle the worlds deadliest diseases where coronavirus sample from the first saudi patient was being examinedxiangguo qiu the scientist who was escorted out of the canadian lab along with members of her research team is believed to be a chinese biowarfare agent xiangguo qiu dr xiangguo qiu is married to another chinese scientist dr keding cheng the couple is responsible for infiltrating canadas nml with many chinese agents posing as students from a range of chinese scientific facilities directly tied to chinas biological warfare programdr xiangguo qiu made at least five trips to the wuhan national biosafety laboratory located only 20 miles away from the huanan seafood market which is the epicenter of the outbreakthe canadian investigation is ongoing and questions remain whether previous shipments to china of other viruses or other essential preparations took place from 2006 to 2018 one way or anotherfrank plummer assassination meanwhile in a very strange turn of events renowned scientist frank plummer who received saudi sars coronavirus sample and was working on coronavirus hiv vaccine in the winnipeg based canadian lab from where the virus was smuggled by chinese biowarfare agents has died in mysterious conditions in nairobi kenyascholars or spies the thousand talents plan or thousand talents program was established in 2008 by the central government of china to recognize and recruit leading international experts in scientific research innovation and entrepreneurship in other words to steal western technologyweaponizing biotechchinas national strategy of militarycivil fusion has highlighted biology as a priority and the peoples liberation army could be at the forefront of expanding and exploiting this knowledge chinese militarys interest in biology as an emerging domain of warfare is guided by strategists who talk about potential genetic weapons and the possibility of a bloodless victoryfor latest updates on the outbreak check out our coronavirus coverage join us on whatsapp for more intel and updates", + "https://greatgameindia.com/", + "FAKE", + 0.06275641025641025, + 497 + ], + [ + "Bill Gates’ Plan to Vaccinate the World", + "in january of 2010 bill and melinda gates announced a 10 billion pledge to usher in a decade of vaccines but far from an unalloyed good the truth is that this attempt to reorient the global health economy was part of a much bigger agendaan agenda that would ultimately lead to greater profits for big pharma companies greater control for the gates foundation over the field of global health and greater power for bill gates to shape the course of the future for billions of people around the planet\n", + "https://www.activistpost.com/", + "FAKE", + 0.20909090909090908, + 89 + ], + [ + null, + "bill gates either predicted or planned the coronavirus outbreak so they knewwatch out for big pharma ok this is scary looks like someone or some corporations knew this would happen coincidence ill let you guys decide", + "Instagram", + "FAKE", + -0.125, + 36 + ], + [ + null, + "the european union has collapsed the countries are beginning to build borders between poland and germany between germany and france between the czech republic and austria there are borders borders borders", + "Youtube", + "FAKE", + 0, + 31 + ], + [ + "Covid-19: Has Bill Gates Predicted the Current Corona Pandemic?", + "exceptional situations like the current covid 19 pandemic unsettle and scare many people doubts and questions are often branded as conspiracy theory the handelsblatt has now written bill gates the man who predicted the corona pandemic but it ignored a not unimportant factrumors already circulated in january that the worlds second richest person microsoft founder bill gates could have something to do with the outbreak of the new sarscov2 virus from the family of corona viruses and the resulting disease covid19 it was pointed out that the bill melinda gates foundation was involved in the pandemic simulation game event 201 on october 18 2019 in new york shortly afterwards the outbreak of the new virus in the chinese city of wuhan was reported which has meanwhile global consequencesuno plans to establish global coronavirus control foundation osloa number of established media quickly tried to refute this rumor about gates in socalled fact checks it also referred to a message from the johns hopkins center for health security of the university of the same name which was also involved in the business game on january 24 it was called it the scenario we have modeled a fictional coronavirus pandemic but we have explicitly stated that this is not a prediction after all went digital sandbox exercise of 65 million deaths worldwide from this was not predicted for the actual corona pandemic it was emphasized afterwardsnow on march 19 the newspaper handelsblatt published an article entitled bill gates the man who predicted the corona pandemic however no reference is made to the business game instead attention was drawn to a post the gates in the medical journal new england journal of medicine nejm published had in the text of february 28 the billionaire specifically addressed the covid 19 outbreak and asked if it could be the pandemic of the century\ncovid19 like spanish fluthe handelsblatt recalled the man who wrote the article in the nejm is not a medical doctor or virologist he has no degree and yet the experts are listening to bill gates this is because gates has acquired a reputation as the greatest benefactor among the billionaires of the world with its foundation which specializes in health initiatives the microsoft founder referred to the 1918 influenza epidemic known as the spanish flu with millions of deaths worldwide he says covid19 is a similar threat i hope its not that bad but we should assume that it will be until we know something else one of the reasons gates explains is that the new virus is more contagious than the original sars virusgates is particularly worried about the countries with low to medium national incomes especially poor countries given the global spread their health care system is thinned out which means that the new coronavirus can spread quickly there but industrialized countries have had the problem for a long time as a result of the neoliberal austerity and privatization policies that have been going on for decades gates does not comment on thisdeadly austerity programsin 2014 the two health economists david stuckler and sanjay basu showed in their book killing austerity programs what consequences these have for those affected worldwide our finding is that the real danger to the health of the general public does not lurk in recessions per se but in the austerity programs with which they are often combated the authors have demonstrated this using the example of various countries your book can at least help you understand the different starting points since not all states followed the deadly austerity measureshome lessons curfews are the wrong way renowned virologist on the corona crisisback to gates in his article in the british specialist magazine he calls for more spending on medical research and health systems especially in the weaker countries and but we also need major systemic changes so that we can react more efficiently and effectively when the next epidemic occurs the billionaire is particularly demanding that more money be invested in the research of new safe and effective vaccinesbut he also emphasizes that vaccines and virusinhibiting substances should not simply be sold to the highest bidder they should be available and affordable for all concerned such a distribution they the right strategy to curb the current spread of covid19 and prevent future pandemicseverything just a coincidencehardly anyone will contradict gates noble goals the problem is certainly that even as a result of the neoliberal austerity policies superrich people like him are now taking on tasks that states and governments actually have in international cooperation the credibility of such calls is constantly being questionedin its article the handelsblatt points out that gates has invested a lot of money in promising biotech companies for example in the german company curevac the gates foundation invested 52 million in the tübingen company five years ago to support the development of vaccines against malaria but the company is now involved in the search for a vaccine against the new corona virus it is considered so promising that according to reports us president donald trump wanted to buy the curevac results exclusively for the united stateswhen sputniknews asked a spokesman for the company said the bill and melinda gates foundation holds shares in curevac we do not provide information about their amount mr gates has no direct influence on the company but there are always votes with his foundation billionaire gates will certainly not be upset if the curevac research is successful and governments buy vaccines against the new virus from the tübingen company it is surely a coincidence that he is a partner in curevac and that his foundation cohosted a pandemic simulation game shortly before covid19 actually broke out likewise that according to the handelsblatt he predicted the pandemic but it looks strange and invites you to ask questions", + "https://de.sputniknews.com/", + "FAKE", + 0.0892360062418202, + 968 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "drinking lemon water could kill the virus due to the vitamin c found in lemon", + "Facebook", + "FAKE", + -0.125, + 15 + ], + [ + null, + "coronavirus does not cause a runny nose is killed by temperatures above 26 degrees requires social distancing of 10 feet can live for 12 hours on metal surfaces can live up to 12 hours on fabric but is killed by normal laundry detergent is killed by drinking warm water or gargling salt water can live on the skin up to 10 minutes starts with infection in the throat and then moves to the lungs where it causes pneumonia may not show symptoms for days after infection causes lung fibrosis within days of infection can be diagnosed by holding your breath for 10 seconds and can be cured in the early stages by drinking plenty of water", + "Change Your Thoughts Change Your Life", + "FAKE", + 0.06294765840220384, + 116 + ], + [ + "Piracy everywhere and pandemic for all", + "the crisis originated less in a miserable animal market in wuhan than in an ordinary act of piracy possibly perpetrated in the summer of 2019 by a couple of chinese scientists who might have stolen coronavirus strains in a laboratory in winnipeg canada", + "http://www.egaliteetreconciliation.fr", + "FAKE", + -0.2833333333333333, + 43 + ], + [ + null, + "boil weed and ginger for covid19 victims the virus will vanish", + "http://www.Nsemwoha.com", + "FAKE", + 0, + 11 + ], + [ + "HERE IS EVERYTHING YOU NEED TO KNOW TO PROTECT YOU AND YOUR FAMILY FROM THE EFFECTS OF THE COVID-19 CORONAVIRUS OUTBREAK AND STAY SAFE", + "here is everything you need to know to protect you and your family from the effects of the covid19 coronavirus outbreak and stay safe", + "https://www.nowtheendbegins.com/", + "FAKE", + 0.5, + 24 + ], + [ + "PREPARE YOURSELF FOR THE ID2020 COVID-19 ‘IMMUNITY PASSPORT’ THAT COMBINES DIGITAL IDENTITY WITH VACCINATIONS, BLOCKCHAIN AND NANOTECHNOLOGY", + "it is called the covid19 credentials initiative or cci and it is a global coven of tech entities like id2020 microsoft bill gates the national health service in the uk and of course silicon valley here in america what if the government said that if you agreed to take the vaccine and the received the digital immunity passport all your debt of any kind would be forgiven why there would be an actual stampede for people to get the vaccination and take the digital immunity passport and you know it look at how greedy people got for the 1200 stimulus checks and are even now 84 percent of americans are demanding more imagine what people would do to have all debt forgiven and that leads me to my next pointwhat if the government said that if you agreed to take the vaccine and received the id2020 digital immunity passport all your debt of any kind would be forgiven yep thats how itll go welcome to the covid19 immunity passport\nas you read this article today i want you to begin to prepare yourself now and resolve in your own mind what your answer will be when they come for you let me explain what i mean by that in whatever form it finally takes i can 999999 guarantee you that there will be a movement by world governments to vaccinate everyone on the planet but thats only the beginning not the end the kicker comes when after being vaccinated you now must also receive a covid19 immunity passport just so happens that id2020 is on the team working on that right now for real so you need to decide what you are going to do when your moment comeslet no man deceive you by any means for that day shall not come except there come a falling away first and that man of sin be revealed the son of perdition who opposeth and exalteth himself above all that is called god or that is worshipped so that he as god sitteth in the temple of god shewing himself that he is god remember ye not that when i was yet with you i told you these things 2 thessalonians 235 kjb take a moment and run the phrase covid19 immunity passport id2020 through the google mill and see what comes up you will see not speculative theoretical surmisings but a very rapidlyevolving global effort to bring the covid19 immunity passport to life it will likely start out voluntary so people falsely feel like they have control and then will quickly become mandatory i can see it being attached to the lifting of lockdowns you want lockdown lifted then take the shot and get the immunity passport or perhaps tied to financial incentiveswhat if the government said that if you agreed to take the vaccine and received the digital immunity passport all your debt of any kind would be forgiven why there would be an actual stampede for people to get the vaccination and take the digital immunity passport and you know it look at how greedy people got for the 1200 stimulus checks and are even now 84 percent of americans are demanding more\nimagine what people would do to have all their debt forgiven and that leads me to my next pointthen saith one of his disciples judas iscariot simons son which should betray him why was not this ointment sold for three hundred pence and given to the poor this he said not that he cared for the poor but because he was a thief and had the bag and bare what was put therein john 1246 kjb\non tuesday we showed you how french president emmanuel macron having secured the backing of the un security council to become the leader of the new world order has also gained the fervent backing of pope francis in a private phone call from the vatican what is one of the main planks of the platforms of both these men they are both advocating for global debt forgiveness and you can bet your bottom aureus that getting vaccinated and receiving a covid19 immunity passport will be the price of admissionwhen it comes to the lust for money people are quickly and easily led by the entities holding the purse strings who was the apostle that was in charge of the money judas that should tell you how god feels about moneyit is called the covid19 credentials initiative or cci and it is a global coven of tech entities like id2020 microsoft bill gates the national health service in the uk and of course silicon valley here in america listen to what the home page of their site wants you to know about what theyre buildingthe covid19 credentials initiative cci is a collaboration of 60 organizations to deploy verifiable credential solutions to enable societys return to normal in a controlled measurable and privacypreserving wayfrom covidcreds the covid19 credentials initiative cci is a collaboration of more than 60 organizations working to deploy verifiable credential solutions to help stop the spread of covid19 our goal is simple we want to enable society to return to normal in a controlled measurable and privacypreserving waythe initiative is a direct response to the many calls for an immunity passport a digital certificate that lets individuals prove and request proof from others that theyve recovered after testing negative have tested positive for antibodies or have received a vaccination once one is available by proving some level of immunity individuals will be able to begin participating in everyday life againusing the w3c industry standard called verifiable credentials we have a blueprint to move forward yet while the underlying tech and standards are established the vision for immunity certificates and other related credentials is far bigger than any one organization to move at the speed and scale required we need true collaboration across all fronts and we are extending an open invitation for any organization or individual looking to join this endeavor us firm combines nanotechnology blockchain for covid19 immunity passportsusbased quantum dot producer quantum materials corp qmc announced its blockchainbased qdx healthid for transparency in disease testing and immunization for infectious diseases the goal is to ensure the authenticity of health data and support individuals to rejoin the workforce quicklywith the health data backed by blockchain governments and health agencies can formulate new plans and safety measures to contain the spread of covid19 and other diseases additionally individual users can assess their immunization passport using a mobile application the app features colorcoded indicators green yellow and red if the app shows the green indicator the individual has clearance to interact in social and work environments this indicator can be shared and authenticated by others using a qr codethe world must have a system that eliminates the fears and anxiety of not knowing who is able to return to work said les paull ceo of qmvt the unit responsible for sales and marketing of qmcs innovationsthe solution is hosted on the microsoft azure cloud and can integrate with existing emr systems it is based on the hyperledger sawtooth enterprise blockchain and for smart contracts its using the digital asset modeling language daml yesterday ledger insights reported on the covid credentials initiative cci which uses digital identity to develop immunity passports members of the initiative include evernym id2020 uport dutch research organization tno microsoft consensys health and consultants luxoft and many otherscan you wrap your head around what i am showing you this includes all of the evil work done by bill gates and id2020 and then takes it to a new level by including 60 other tech companies and on a global scale to boot it will be in every nation on the face of the earth there will be no getting away from it you cannot have an immunity passport without first being immunized right think people i have always told you that the mark of the beast is an actual mark implanted inside your body and it is also a world system the foundation of which is the internetwe are absolutely watching it come to life there is no question about it this will be our main topic on our friday prophecy news podcast hope you will all tune in\nfact checking the fact checkers bill gates id2020 vaccine microchips today we are going to fact check the fact checkers regarding many online reports that bill gates wants to implant microchips in people using vaccines to fight the coronavirus in this report we are going to focus on two articles that were published which claim to be the arbiters of truth in these confusing times so is the claim that bill gates wants to inject you with a vaccine that contains a microchip to track who has and has not been vaccinated true watch the report below and decide for yourselfprepare yourself for covid19 immunity passports using coronavirus vaccinations blockchain nanotechnology and digital identification from id2020 its the mark of the beast 666 system now the end begins sharewhat if the government said that if you agreed to take the vaccine and received the id2020 digital immunity passport all your debt of any kind would be forgiven yep thats how itll go welcome to the covid19 immunity passportas you read this article today i want you to begin to prepare yourself now and resolve in your own mind what your answer will be when they come for you let me explain what i mean by that in whatever form it finally takes i can 999999 guarantee you that there will be a movement by world governments to vaccinate everyone on the planet but thats only the beginning not the end the kicker comes when after being vaccinated you now must also receive a covid19 immunity passport just so happens that id2020 is on the team working on that right now for real so you need to decide what you are going to do when your moment comeslet no man deceive you by any means for that day shall not come except there come a falling away first and that man of sin be revealed the son of perdition who opposeth and exalteth himself above all that is called god or that is worshipped so that he as god sitteth in the temple of god shewing himself that he is god remember ye not that when i was yet with you i told you these things 2 thessalonians 235 kjb take a moment and run the phrase covid19 immunity passport id2020 through the google mill and see what comes up you will see not speculative theoretical surmisings but a very rapidlyevolving global effort to bring the covid19 immunity passport to life it will likely start out voluntary so people falsely feel like they have control and then will quickly become mandatory i can see it being attached to the lifting of lockdowns you want lockdown lifted then take the shot and get the immunity passport or perhaps tied to financial incentivesthe id2020 alliance has launched a new digital identity program at its annual summit in new york in collaboration with the government of bangladesh vaccine alliance gavi and new partners in government academia and humanitarian reliefclick to learn about the id2020 alliance and the coming covid19 immunity passport digital identification what if the government said that if you agreed to take the vaccine and received the digital immunity passport all your debt of any kind would be forgiven why there would be an actual stampede for people to get the vaccination and take the digital immunity passport and you know it look at how greedy people got for the 1200 stimulus checks and are even now 84 percent of americans are demanding moreimagine what people would do to have all their debt forgiven and that leads me to my next pointthen saith one of his disciples judas iscariot simons son which should betray him why was not this ointment sold for three hundred pence and given to the poor this he said not that he cared for the poor but because he was a thief and had the bag and bare what was put therein john 1246 kjbon tuesday we showed you how french president emmanuel macron having secured the backing of the un security council to become the leader of the new world order has also gained the fervent backing of pope francis in a private phone call from the vatican what is one of the main planks of the platforms of both these men they are both advocating for global debt forgiveness and you can bet your bottom aureus that getting vaccinated and receiving a covid19 immunity passport will be the price of admissionwhen it comes to the lust for money people are quickly and easily led by the entities holding the purse strings who was the apostle that was in charge of the money judas that should tell you how god feels about moneyfalseprophetpopefrancisanointsemmanuelmacronfranceasnewworldorderleaderantichrist click to read articles about french president emmanuel macron who is about the become the leader of the new world order it is called the covid19 credentials initiative or cci and it is a global coven of tech entities like id2020 microsoft bill gates the national health service in the uk and of course silicon valley here in america listen to what the home page of their site wants you to know about what theyre buildingthe covid19 credentials initiative cci is a collaboration of 60 organizations to deploy verifiable credential solutions to enable societys return to normal in a controlled measurable and privacypreserving wayfrom covidcreds the covid19 credentials initiative cci is a collaboration of more than 60 organizations working to deploy verifiable credential solutions to help stop the spread of covid19 our goal is simple we want to enable society to return to normal in a controlled measurable and privacypreserving waythe initiative is a direct response to the many calls for an immunity passport a digital certificate that lets individuals prove and request proof from others that theyve recovered after testing negative have tested positive for antibodies or have received a vaccination once one is available by proving some level of immunity individuals will be able to begin participating in everyday life againusing the w3c industry standard called verifiable credentials we have a blueprint to move forward yet while the underlying tech and standards are established the vision for immunity certificates and other related credentials is far bigger than any one organization to move at the speed and scale required we need true collaboration across all fronts and we are extending an open invitation for any organization or individual looking to join this endeavor read more\njohn macarthur from grace to you ministries is wrong do not take the mark of the beast or have anything to do with the image name or number of the antichrist god will not forgive you for doing itjohn macarthur is dead wrong saying that tribulation saints can take the mark of the beast and still be forgiven and go to heaven they cant and if all that wasnt bad enough now read thisus firm combines nanotechnology blockchain for covid19 immunity passports usbased quantum dot producer quantum materials corp qmc announced its blockchainbased qdx healthid for transparency in disease testing and immunization for infectious diseases the goal is to ensure the authenticity of health data and support individuals to rejoin the workforce quicklywith the health data backed by blockchain governments and health agencies can formulate new plans and safety measures to contain the spread of covid19 and other diseases additionally individual users can assess their immunization passport using a mobile application the app features colorcoded indicators green yellow and red if the app shows the green indicator the individual has clearance to interact in social and work environments this indicator can be shared and authenticated by others using a qr codethe world must have a system that eliminates the fears and anxiety of not knowing who is able to return to work said les paull ceo of qmvt the unit responsible for sales and marketing of qmcs innovationsthe solution is hosted on the microsoft azure cloud and can integrate with existing emr systems it is based on the hyperledger sawtooth enterprise blockchain and for smart contracts its using the digital asset modeling language daml yesterday ledger insights reported on the covid credentials initiative cci which uses digital identity to develop immunity passports members of the initiative include evernym id2020 uport dutch research organization tno microsoft consensys health and consultants luxoft and many others this new workplace monitoring tool issues an alert when anyone is less than six feet apart amazon is also using similar software to monitor the distances between can you wrap your head around what i am showing you this includes all of the evil work done by bill gates and id2020 and then takes it to a new level by including 60 other tech companies and on a global scale to boot it will be in every nation on the face of the earth there will be no getting away from it you cannot have an immunity passport without first being immunized right think people i have always told you that the mark of the beast is an actual mark implanted inside your body and it is also a world system the foundation of which is the internetwe are absolutely watching it come to life there is no question about it this will be our main topic on our friday prophecy news podcast hope you will all tune infact checking the fact checkers bill gates id2020 vaccine microchips today we are going to fact check the fact checkers regarding many online reports that bill gates wants to implant microchips in people using vaccines to fight the coronavirus in this report we are going to focus on two articles that were published which claim to be the arbiters of truth in these confusing times so is the claim that bill gates wants to inject you with a vaccine that contains a microchip to track who has and has not been vaccinated true watch the report below and decide for yourselfnow the end begins is your front line defense against the rising tide of darkness in the last days before the rapture of the church", + "https://www.nowtheendbegins.com/", + "FAKE", + 0.08274306475837086, + 3060 + ], + [ + "Coronavirus patients are being “cremated alive” in China", + "wuhan woman says coronavirus patients cremated alive over 1000 hubei police infected with virus factories and businesses in china resume work some scenes of massive gatherings of chinese people are raising concerns of the outbreak situation worsening\ninside one prison in eastern china guards must sign forms promising not to spread socalled rumors about the situation inside the prison amid the coronavirus outbreakas the coronavirus continues to spread globally four countries in the middle east reported their first cases while italys increasing numbers of cases spread fear across europe", + "Facebook", + "FAKE", + 0.07857142857142858, + 89 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposesscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to china fastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as thisaccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijackingbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "http://www.californiacollapse.news", + "FAKE", + 0.058711080586080586, + 649 + ], + [ + "THE CORONAVIRUS MOVES US TOWARDS A TOTALITARIAN STATE OF THE WORLD AND THE INTRODUCTION OF AGENDA ID2020", + "we are moving towards a totalitarian state of the world this is part of agenda id2020 and these steps to be implemented now prepared since long including by the coronavirus computer simulation at johns hopkins in baltimore on 18 october 2019 sponsored by the wef and the bill and melinda gates foundation\nwhat is the infamous id2020 it is an alliance of publicprivate partners including un agencies and civil society its an electronic id program that uses generalized vaccination as a platform for digital identity the program harnesses existing birth registration and vaccination operations to provide newborns with a portable and persistent biometricallylinked digital identity gavi the global alliance for vaccines and immunization identifies itself on its website as a global health partnership of public and private sector organizations dedicated to immunization for all gavi is supported by who and needless to say its main partners and sponsors are the pharmaindustry", + "https://southfront.org/", + "FAKE", + -0.08833333333333335, + 151 + ], + [ + "Two Stories Indicate Coronavirus Herd Immunity", + "rush we just reran the models projecting audience levels at the rush limbaugh program and the eib network and we gained another two million people since the program started were up to 42 million people tuning into the program in any 15minute period based on latest model projections interruption whats that\nwhos doing the models well we are at the eib network were running the models ourselves we have the models the models run constantly just the model on my opinion audit the sullivan group in california but those models are being run we are plugging in various data in order to get the latest actual news\nso its 42 million according to our model projections you cant argue with that interruption what do you mean interruption what are you arguing with me about you cant argue with model projections interruption yeah we added two million people our model projection was able to calculate that yesokay a couple of very very interesting stories i went back to california searched california news in november and december of last year i found two fascinating stories one is at a publication called patchcom and the other one is chicagocitywirecom these stories were all over california news throughout last fall here is the headline for the patchcom story this story was published on january 10thflu outbreak plagues california with 16 new deaths the flu season ramped up over the holidays and continues to cause sicken sic thousands up and down the state sixteen more californians deaths from the flu were confirmed in the first week of the new year as influenza grips the nation the spike in flu outbreaks that ended the decade continued to ramp up in 2020 in california and around the nationso far this flu season california health officials have identified 19 outbreaks since the start of the flu season on september 29 through january 4 70 people have died from the flu statewide according to state officials nationally influenza activity is increasing all regions of the country are experiencing elevated levels of influenzalike illness it is too soon to say how severe this flu season might be a spokesman for the california department of public health told patchinfluenza activity began increasing in early november in california which was a few weeks earlier than other recent seasons influenza activity in california continues to increase since the flu is unpredictable we do not know how long the high level of activity will last and what the overall severity level of the season might ultimately bethey were dealing with coronavirus and didnt know it and they were calling it the flu from as far back as last november this has to be what this was it was an unidentified strain of the flu it came out of nowhere it was surprising health officials in the state people were dying from it and people were not dying from it which happens every flu seasonsee folks i think this is one of the reasons why the models are breaking down the models are breaking down and again on the models theyre trying to cover for themselves by saying well the numbers are coming down because were plugging in social distancing social distancing has been plugged into the models ever since that 22 million dead projection was madeit is not something new that theyre doing they are misrepresenting it they are so focused on you believing that social distancing is why the projections are lower that theyre now telling things that arent true social distancing has been plugged into their models so i think one of the reasons that the models are breaking down is that the virus was likely here certainly in california as early as novemberthe chinese i think theyve been lying about this and about the first case from the beginning in this story at patchcom it says in california the majority of flu deaths have occured sic in patients 65yearsold or older you know me i believe herd immunity has occurred in california i think thats what explains the relatively low number of cases and deaths compared to say new yorkthey want to still maintain its social distancing even though california only had a two to threeday head start a two to threeday head starts not gonna explain the massive differences so why is this good news its good news because it shows that an immunity to this can be developed there was no standdown order there was no stayathome order when this flu what they thought was a flu outbreak hitpeople just lived through it i have since talked to people in california who now think they had it they had the flu in november and they had the flu in december thats all they thought it was there was no such thing as coronavirus i mean coronavirus hit in december as something crazy weird out of china but it didnt become part of the daily news lexicon until sometime in january late january when the president announced a ban on all travel from chinahere is another story this is from chicago a phlebotomist working at roseland community hospital said thursday that 30 to 50 of patients tested for the coronavirus have antibodies while only around 10 to 20 of those tested have the active virus roseland hospital phlebotomist 30 of those tested have coronavirus antibody how can that be it means they have developed an immunity to itthey were infected some of them did not suffer some of them did not develop symptoms but they had the disease developed antibodies a phlebotomist working at roseland community hospital said thursday that 30 to 50 of patients tested for the coronavirus have antibodies while only around 10 to 20 of those tested have the active virussumaya owaynat a phlebotomy technician said she tests between 400 and 600 patients on an average day in the parking lot at roseland community hospital drivethru testing is from 9 am to noon and 1 to 4 pm each day however the hospital has a limited number of tests they can give per day owaynat said the number of patients coming through the testing center who appear to have already had coronavirus and gotten over it is far greater than those who currently have the diseasehello herd immunitya lot of people have high antibodies which means they had the coronavirus but they dont have it anymore and their bodies built the antibodies owaynat told chicago city wire antibodies in the bloodstream reveal that a person has already had the coronavirus and may be immune to contracting the virus again if accurate this means the spread of the virus may have been underway in the roseland community and the state and country as a whole prior to the issuance of stay at home ordersit has to be the case folks there can be no other explanation for this now it may sound like a weird story from a chicago hospital drivethru test could 30 of parts of the worst virus areas that are locked down in chicago already have immunity and it is fascinating that this is not discussed in fact when herd immunity comes up current health officials poohpooh itthey say no no no no we dont want to go there we dont want to go there that means a lot of people have to get infected well if herd immunity explains california look at the numbers the numbers are way low compared to the worst parts of the country you know trump had this vision of being able to reopen a country by this sunday by easteri think he could i think in parts of this country we could reopen we couldnt reopen in new york we couldnt reopen in new jersey or connecticut but there are parts of the country we could reopen without question not going to but i mean we could we are waiting for permission to reopen the country from experts who have been wrong from the getgo president trump is working on plans to reopen the countrythe democrats and the media are working on plans to keep it closed you talk about a divide you talk about a lack of unity snort this is the definition of it trumps job is to explain both the safety and the necessity of going back to work it appears that the democrats and the medias job is to make trump appear to be a bloodthirsty killer for wanting americans to dieexperts have scared the holy hell out of millions of americans to the point they dont feel safe leaving their homes now and thats because these said experts relied on computer models that were so bad the creators have had to revise them time and time and time again", + "https://www.rushlimbaugh.com/", + "FAKE", + 0.03355593752652577, + 1465 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposesscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to china fastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as thisaccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijackingbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "https://www.naturalnews.com/", + "FAKE", + 0.058711080586080586, + 649 + ], + [ + "Coronavirus Pandemic Simulation Run 3 Months Ago Predicts 65 Million People Could Die", + "but according to one simulation run less than three months ago things could get much much worse less than three months ago eric toner a scientist at the johns hopkins centre for health security had run a simulation of a global pandemic involving the exact same type of virus according to business insider \nhis simulation predicted that 65 million people could die within 18 months he commentedi have thought for a long time that the most likely virus that might cause a new pandemic would be a coronavirusas of now the outbreak is not a pandemic but it has been reported in eight different countries toners simulation said that nearly every country in the world would have the virus after six monthshe commentedwe dont yet know how contagious it is we know that it is being spread person to person but we dont know to what extent an initial first impression is that this is significantly milder than sars so thats reassuring on the other hand it may be more transmissible than sars at least in the community settinghis analysis used a fictional virus called caps which would be resistant to any modern vaccine and would be deadlier than sars the simulation involved a virus originating in brazils pig farms the outbreak started small with farmers coming down with symptoms before spreading to crowded and impoverished areas the simulation also showed flights being cancelled and travel bookings falling by 45 as people disseminated false information on social media it also triggered a financial crisis around the globe with global gdp falling 11 and stock markets falling 20 to 40 no word on whether or not the simulation accounted for the modern monetary theory the fed is essentially governing with now he also claimed that the current coronavirus could have major economic impact if it the total cases hits the thousandshe concludedif we could make it so that we could have a vaccine within months rather than years or decades that would be a game changer but its not just the identification of potential vaccines we need to think even more about how they are manufactured on a global scale and distributed and administered to people\nits part of the world we live in now were in an age of epidemicsof course here in the united states the cdc is assuring us that we dont have anything to be concerned about we dont want the american public to be worried about this because their risk is low says anthony fauci head of the national institute of allergy and infectious diseases on the other hand we are taking this very seriously and are dealing very closely with chinese authoritieshopefully they are correct and hopefully this outbreak will blow over sooner rather than later", + "https://www.zerohedge.com/", + "FAKE", + 0.014918630751964083, + 461 + ], + [ + "Pentagon Study: Flu Shot Raises Risk of Coronavirus by 36%", + "on march 12th 2020 anderson cooper and dr sanjay gupta held a global town hall on corona facts and fears during the discussion anderson said to the viewing audience and again if you are concerned about coronavirus and you havent gotten a flu shotyou should get a flu shotsetting safety and efficacy of influenza vaccination aside is andersons claim that the flu shot will help people fight covid19 remotely true the short answer is noin fact the results of many peerreviewed published studies prove that andersons recommendation may have been the worst advice he could have given the publicin searching the literature the only study we have been able to find assessing flu shots and coronavirus is a 2020 us pentagon study that found that the flu shot increases the risks from coronavirus by 36receiving influenza vaccination may increase the risk of other respiratory viruses a phenomenon known as virus interferencevaccine derived virus interference was significantly associated with coronavirus here are the findings2020 pentagon study flu vaccines increase risk of coronavirus by 36 examining noninfluenza viruses specifically the odds of coronavirus in vaccinated individuals were significantly higher when compared to unvaccinated individuals with an odds ratio association between an exposure and an outcome of 136 in other words the vaccinated were 36 more likely to get coronavirusmany other studies suggest the increased risk of viral respiratory infections from the flu shot2018 cdc study flu shots increase risk of nonflu acute respiratory illnesses ari in childrenthis cdc supported study concluded an increased risk of acute respiratory illness ari among children 18 years caused by noninfluenza respiratory pathogens postinfluenza vaccination compared to unvaccinated children during the same period2011 australian study flu shot doubled risk of noninfluenza viral infections and increased flu risk by 73a prospective casecontrol study in healthy young australian children found that seasonal flu shots doubled their risk of illness from noninfluenza virus infections overall the vaccine increased the risk of virusassociated acute respiratory illness including influenza by 732012 hong kong study flu shots increased the risk of nonflu respiratory infections 44 times and tripled flu infectionsa randomized placebocontrolled trial in hong kong children found that flu shots increased the risk of noninfluenza viral aris fivefold or 491ci 104814 and including influenza tripled the overall viral ari risk or 317 ci 1049832017 study vaccinated children are 59 more likely to suffer pneumonia and 301 times more likely to have been diagnosed with allergic rhinitis than unvaccinated childrenvaccinated children were 301 times more likely to have been diagnosed with allergic rhinitis and 59 times more likely to have been diagnosed with pneumonia than unvaccinated children2014 study influenzavaccinated children were 16 times more likely than unvaccinated children to have a noninfluenza influenzalikeillness ilieven more published science the wellrespected cochrane collaborations comprehensive 2010 metaanalysis of published influenza vaccine studies found that the influenza vaccination has no effect on hospitalization and that there is no evidence that vaccines prevent viral transmission or complicationsthe cochrane researchers concluded that the scientific evidence seems to discourage the utilization of vaccination against influenza in healthy adults as a routine public health measure in their metaanalysis the cochrane researchers accused the cdc of deliberately misrepresenting the science in order to support their universal influenza vaccination recommendation nevertheless cnn and other mainstream media outlets continually broadcast cdc pronouncements as gospel and ironically ridicules those of us who actually read the science as purveyors of vaccine misinformation", + "https://web.archive.org/", + "FAKE", + 0.171875, + 566 + ], + [ + "Bill Gates will use microchip implants to fight coronavirus", + "microsoft cofounder bill gates will launch humanimplantable capsules that have digital certificates which can show who has been tested for the coronavirus and who has been vaccinated against itthe 64 year old tech mogul and currently the second richest person in the world revealed this yesterday during a reddit ask me anything session while answering questions on the covid19 coronavirus pandemicgates was responding to a question on how businesses will be able to operate while maintaining social distancing and said that eventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itthe digital certificates gates was referring to are humanimplantable quantumdot tattoos that researchers at mit and rice university are working on as a way to hold vaccination records it was last year in december when scientists from the two universities revealed that they were working on these quantumdot tattoos after bill gates approached them about solving the problem of identifying those who have not been vaccinatedthe quantumdot tattoos involve applying dissolvable sugarbased microneedles that contain a vaccine and fluorescent copperbased quantum dots embedded inside biocompatible micronscale capsules after the microneedes dissolve under the skin they leave the encapsulated quantum dots whose patterns can be read to identify the vaccine that was administeredthe quantumdot tattoos will likely be supplemented with bill gates other undertaking called id2020 which is an ambitious project by microsoft to solve the problem of over 1 billion people who live without an officially recognized identity id2020 is solving this through digital identity currently the most feasible way of implementing digital identity is either through smartphones or rfid microchip implants the latter will be gatess likely approach not only because of feasibility and sustainability but also because for over 6 years the gates foundation has been funding another project that incorporates humanimplantable microchip implants this project also spearheaded by mit is a birth control microchip implant that will allow women to control contraceptive hormones in their bodies\nas for id2020 to see it through microsoft has formed an alliance with four other companies namely accenture ideo gavi and the rockefeller foundation the project is supported by the united nations and has been incorporated into the uns sustainable development goals initiativeit will be interesting to see how bill gates and id2020 will execute all this because many christians and surprisingly a growing number of shia muslims are very opposed to the idea of microchipping and any form of bodyinvasive identification technology some christian legislators and politicians in the united states have even tried to ban all forms of human microchippingbut on the other hand this is bill gates perfect opportunity to see the projects through because as the coronavirus continues to spread and more people continue to die from the pandemic the public at large is becoming more open to problemsolving technologies that will contain the spread of the virusthe main reason many christians and some shia muslims are opposed to bodyinvasive identification technologies however helpful such technologies are for preventing pandemics is because they believe that such technologies are the so called mark of satan mentioned in the bible and some mahdi prophecies in the book of revelations in the bible anyone who does not have this mark is not allowed to buy or sell anythinglast year in november a denmarkbased tech company which had contracts to produce microchip implants for the danish government and the us navy had to cancel the launch of its supposedly revolutionary internetofthings powered microchip implant after christian activists attacked its offices in copenhagen", + "https://biohackinfo.com/", + "FAKE", + 0.15550364269876468, + 597 + ], + [ + "Reports: Deep State, China Use COVID-19 For Population Control", + "emerging reports have suggested further links between china and antitrump groups in the us one americas kristian rouz examines the claimsthe us intelligence agencies are continuing a probe into the origins of covid19 amid mounting evidence of a globalist conspiracy to establish sweeping population controlthe entire intelligence community has been consistently providing critical support to us policymakers and those responding to the covid19 virus which originated in china the intelligence community also concurs with the wide scientific consensus that the covid19 virus was not manmade or genetically modified\nas we do in all crises the communitys experts respond by surging resources and producing critical intelligence on issues vital to us national security the ic will continue to rigorously examine emerging information and intelligence to determine whether the outbreak began through contact with infected animals or if it was the result of an accident at a laboratory in wuhanthe virus has triggered devastating lockdowns across the advanced economies and in this situation experts say whoever controls the cure may control the future of humanityand while the media democrats and the deep state continue to dismiss hydroxychloroquine as a likely cure they are pushing for a failed ebola drug remdesivir insteadrecent reports claim the remdesivir patent is controlled by mainland china bill gates and the who while the clintons may have a stake in it as well\nthe entire coverup is allegedly backed by globalist billionaire george soros such allegations have been dismissed by the mainstream media and china as a conspiracy theory saying californiabased gilead owns the patent for remdesivir but gilead itself was reported as saying if it uses its own drug it would get into legal trouble with chinachina reportedly holds part of the remdesivir patent through the un agency unitaid whose main donor since 2006 is the bill and melinda gates foundation separately the clinton foundation also worked with unitaid on the 100milliondollar project to study hivaids in the past unitaid also has offices near the chinese bioweapons lab in wuhan which top republicans suspect was funded by none other than dr anthony fauci and the nihthat was fooling around with this virus despite that dr fauci gave 37 million to the wuhan laboratory we paid for it we paid for the damn virus thats killing usthis is not about covid or about a virus this is about gaining control over the human race and limiting population limited population with a virus that was created in a lab and funded by the united states of america by several people in the united states of america along with other countriesthe us and its five eyes intel partners point out covid19 broke out shortly after president trump forced china into a phaseone trade deal to reduce chinese control of the us economy now that china may be striking back there is concern that the deep state democrat cabal and the big pharma are working to derail president trumps reelection and force the american people into total submission and control", + "https://www.oann.com/", + "FAKE", + 0.001190476190476189, + 499 + ], + [ + "On the Possible Origins of Coronavirus, Part 1", + "understanding the origins of coronavirus is vitally important to developing effective treatments and mitigation strategies as well as figuring out how to prevent future pandemics many americans look to the national institutes of health and other federal public health agencies for leadership on investigating matters of urgent public health concern unfortunately nih director francis collins once again appears to be circling the wagons to protect powerful interests rather than the american public we can and must demand more accountability from government during this perilous timebut their arguments ignore key research findings in their field that contradict their conclusionsbackgroundthe us defense intelligence agency nobel prize winner luc montagnier professor stuart newman dr michael antoniou and others have raised troubling questions about the origins of sarscov2 the virus that causes covid19 we know that the wuhan institute of virology was engaged in dangerous gainoffunction research involving coronaviruses from bats the us embassy in beijing expressed grave concerns about the shoddy safety practices at the lab in spite of these concerns the nih continued to fund this researchthis creates a potential political problem for nih director francis collins and niaid director anthony fauci who oversaw these research grants to the wuhan institute of virologyin response five nih grantees quickly published a letter in nature medicine andersen et al 2020 arguing that the wuhan institute of virology could not possibly have been the source of the outbreak nih director collins followed up on his blog to endorse their conclusions we have seen this pattern before in response to even the mildest evidencebased criticism public health agencies in the united state often go to great lengths to deny the allegations and block any further investigation into the matterbut their arguments ignore key research findings in their field that contradict their conclusions furthermore andersen et al 2020 and collins 2020 fail basic tests of logic and common sense and go against a growing body of evidence regarding what we know about the actions of the wuhan institute of virology\nan unlikely choiceandersen et als 2020 argument hinges on two premises 1 that the receptor binding domain in the coronavirus spike protein is not ideal according to previous computer modeling and 2 genetic data irrefutably show that sarscov2 is not derived from any previously used virus backbone p 450\nprofessor stuart newman editorinchief of the journal biological theory contests both of these points he argues that genetic engineering of one of these sites the ace2 receptor binding domain has been proposed since 2005 in order to help generate vaccines against these viruses see this paper he continues it is puzzling that the authors of the nature medicine commentary did not cite this paper which appeared in the prominent journal sciencefurthermore the second site that andersen et al assert arose by natural means a target of enzyme cleavage not usually found in this class of viruses was in fact introduced by genetic engineering in a similar coronavirus in a 2006 paper they do cite this was done to explore mechanisms of pathogenicityit should be noted that independent researcher james lyonsweiler from the institute for pure and applied knowledge has also conducted his own analysis of the genome of sarscov2 and concluded that it is most likely from natural origins so there is clearly a lot of room for debateit is troubling that nih director collins would attempt to claim that the case is closed when in fact the research into the origins of coronavirus has only just begun\nthe mainstream keeps changing its storyfirst coronavirus was said to come from bats then it was said to come from pangolins andersen et al 2020 is saying it could be bats it could be pangolins but whatever it was it wasnt the lab the only scientifically correct way to express that idea is to state we dont knowandersen et al 2020 does not say what dr collins claims it says andersen et al 2020 contains these qualifiers it is currently impossible to prove or disprove the other theories of its origin described here p 452 more scientific data could swing the balance of evidence to favor one hypothesis over another p 452 it is troubling that nih director collins would attempt to claim that the case is closed when in fact the research into the origins of coronavirus has only just begun\nandersen et al and nhi director collins make extraordinary claims to know inside the minds of the researchers in wuhan andersen et al 2020 repeatedly make arguments from absence in trying to knock down competing explanations twice they write that a certain action has not been described in the published literature from this lab there are probably lots of things that happen inside the wuhan institute of virology that are never disclosed in published articles from the researchers at that lab and many of the actions that have been described are troublingdr collins claims that any bioengineer trying to design a coronavirus that threatened human health probably would never have chosen this particular conformation for a spike protein is dr collins a mind reader who knows exactly how every bioengineer thinks and acts at all times dr collins is engaged in conjecture here that is not supported by any evidence gatheringainoffunction research involves enhancing the host range virulence or transmissibility of a pathogen for the purposes of developing treatments vaccines or in some cases bioweaponswhat we actually do know \nwuhan institute of virology was involved in dangerous gainoffunction research the wuhan institute of virology was engaged in gainoffunction research involving bat viruses one contract for 37 million ran from 2014 to 2019 and another 37 million contract ran from 2019 until it was cancelled on april 24 2020 in response to public outcrygainoffunction research involves enhancing the host range virulence or transmissibility of a pathogen for the purposes of developing treatments vaccines or in some cases bioweapons this of course opens a pandoras box of practical policy and ethical questionsone type of gainoffunction research at the wuhan institute of virology involved passing viruses through several generations of animal cells given that it is impossible to know whether the change in the virus came from the interaction of a virus and animal cells in the wild or the interaction of a virus and animal cells in the labwuhan institute of virology was using crisprcas9 technologycrisprcas9 is another technology used for gainoffunction research and it is used by the wuhan institute of virology crisprcas9 does for genetics what microsoft word did for word processing it enables geneticists to cut paste rearrange and copy genes however they wish these are not theoretical genetic structures on paper crisprcas9 enables scientists to manipulate actual genetic material in the real world however they wish since it is possible to produce literally any genetic sequence in the lab collins 2020 insistence on natural origins is contrary to what he knows about the possibilities and dangers within his own field they combined a sarslike virus from bats with human immunodeficiency virus hiv and created a chimera virus capable of infecting human cellsseveral troubling studies out of wuhanin 2007 the wuhan institute of virology published a study in the journal of virology in which they combined a sarslike virus from bats with human immunodeficiency virus hiv and created a chimera virus capable of infecting human cellsin 2015 researchers from the university of north carolina chapel hill the fda and the wuhan institute of virology published research in which they took a bat virus similar to sars constructed a chimera virus that could infect mice discovered that the virus was also capable of infecting human airway cells and found that existing treatments for sars were ineffective in preventing or killing this new virus the study was so alarming to many in the scientific community that it set off a fierce debate about medical research ethics that continues to this day project evidence provides links to and summaries of six additional studies from the wuhan institute of virology that raise troubling health safety and ethical issuesthe wuhan institute of virology was known for shoddy safety practicesa march 27 2020 report from the us defense intelligence agency concluded that it is possible that the new coronavirus emerged accidentally due to unsafe laboratory practicesaccording to reporting from the washington postin short reports from american experts on the ground in china paint a very different picture of the situation than the rosy view coming from nih director collins in washington dcwe must demand a full investigation the wuhan institute of virology was involved in dangerous research to make bat viruses more lethal to humans via passage through animals and manipulation via crisprcas9 several studies conducted by the lab successfully combined animal and human virus traits in ways that made them more dangerous to humans and raised troubling ethical and safety questions and the wuhan institute of virology was known for its shoddy laboratory practices this was a recipe for disaster we must get to the bottom of this matter the white house and congress should immediately appoint an independent safety commission with no financial conflicts of interest to investigate the origins of sarscov2", + "https://childrenshealthdefense.org/", + "FAKE", + 0.04481046992839448, + 1521 + ], + [ + "Human life must trump economics in a pandemic. THIS is why China is succeeding in war on Covid-19 and US is on path to disaster", + "senior fellow at chongyang institute for financial studies renmin university of china and former director of economic and business policy for the mayor of london he lived in moscow from 19922000chinas outperformance of the us in both the 2008 crisis the covid19 outbreak will see a geopolitical shift in beijings favor the longer the us continues with its disastrous pandemic response the greater the shift will bethe pandemic has a clear global course despite the coronavirus outbreak beginning in china beijing has brought it rapidly under control the number of domestically transmitted cases was reduced to virtually zero by the end of march in the us and western europe on the contrary the number of cases is rising vertiginously with no peak in sightin absolute terms the number of us and italian coronavirus cases is already greater than chinas but comparisons in absolute numbers greatly understate the severity of the coronavirus crisis in the us and western europe due to their populations being far smaller than china in reality the relative severity of the us and western european coronavirus pandemic is already far worse than at the worst point of the crisis in china and is still rising this disastrous us and western european failure will be more severe than the international financial crisis and will have profound geopolitical consequenceswhat does chinas success mean\ntwo key issues immediately follow from chinas success how did china achieve this and what is its international impacttechnically chinas means of controlling the coronavirus were not unknown quarantines deliveries of essentials to homes to allow the population to stay indoors compulsory mask wearing testing transfer of medical personnel to affected areas china certainly implemented these far more rigorously than the us and western europe but behind that technical difference was a clear understanding of society by chinathe most fundamental issue was that china started from a real understanding of human rights as they affect the real lives of people not the artificial constructs of western purely formal human rights in a lethal epidemic the key human right is to stay alive more generally for real human beings the most fundamental issue in your life is not whether you can use facebook or cast a vote for a politician who promises one thing at an election and then does something completely different after it in a system which gives no real control over them but the real ability to stay alive when faced with a deadly threat and to have a decent and rising standard of living to have health care to have education and innumerable other real concerns of peoplewithin that context the struggle against the coronavirus was on such a scale that it had to be carried out as a war in china it is frequently referred to as a peoples war against the virusthis explains chinas measures its strategy was strictly logical once this starting point was understood above all it was necessary to do everything possible to confine the virus to wuhan and hubei if it had spread throughout china it would have been impossible to control therefore the first decisive measure was strict travel restrictionsif people had been allowed to leave wuhanhubei overwhelming numbers would have fled with the virus spreading uncontrollably throughout china this is precisely what is occurring in the us or spain where people fleeing infection centers such as new york or madrid are spreading the virusthere is no doubt this caused tremendous suffering in wuhanhubei by preventing people from leaving this placed inconceivable pressure on hubeis health system china poured tens of thousands of medical staff into hubei but this necessarily took timeit may be compared to one of the greatest battles in soviet history stalingrad there it was vitally necessary for the defenders within stalingrad to tie the german army down in combat within the city itself while the soviet army prepared the encirclement which finally smashed the nazis to pieces the result was that soviet casualties within stalingrad itself were terrible the citys defenders gave their lives to ensure the soviet peoples decisive victory in a parallel manner people in wuhan gave their lives to protect the people of the whole of china hubei and wuhans medical staff are rightly regarded as heroes of the chinese people\nonce the decisive task of preventing the virus spread had been achieved then china could put pressure on the virus in hubei and finally wuhan i have good friends in wuhan i know the people understood this national strategy despite the intense suffering it meant in wuhancatastrophic failure of human rights in the west but what was the response of the so called human rights organizations in the west to this total and criminal condemnation of chinas successful strategykenneth roth executive director of human rights watch declared in typical chinese communist party fashion beijing confines 35 million people rather than pursuing the transparent and targeted approach to the wuhan coronavirus that public health and human rights require the guardian in britain published article after article attacking chinas methods of dealing with the virus before finally admitting on march 20 almost two months after china started its decisive actions rigid travel restrictions and social distancing requirements appear to have had their desired effectjoshua wong a supporter of the hong kong rioters called for the who director generals resignation because the organization supported chinas successful strategyby the end of march most of the world recognized that china had been correct for example a recent column on bloomberg in the us had the selfevident headline the rest of the world is falling in step with beijings way of fighting the coronavirus had china not imposed such steps one simulation suggests there could have been eight million cases by february in fact each government seems to be reinventing the wheel though events eventually force them to take chinas path closing schools and public places shutting borders imposing curfews inhibiting movement the column readif the advice of roth the guardian or wong had been taken by now thousands more people more probably tens of thousands would be deadfailure in us this wrong approach in the west has now created a disaster in the us and western europe the catastrophic scale of this is simply disguised by making comparisons in terms of absolute numbers between china and individual western countries this conceals the fact that the impact of the coronavirus epidemic in western countries is many times greater than during the worst period in china because chinas population is far larger than any western country more than four times that of the us and 23 times italysso for example who data for march 28 shows the us had 16894 new daily coronavirus cases 43 times as high as chinas worst daily peak of 3887 but chinas population is 425 times that of the us so in proportion to chinas population the us figures are equal to 71799 16894 x 425 the relative intensity of the impact of the coronavirus in the us is therefore already more than 18 times as great as the worst day in china and the number of daily cases in the us is on a strongly rising upward curve a literal catastrophe is unfolding in the us to understand the impact of this us troops abroad have many times suffered severe war casualties world war ii korea vietnam iraq but only twice in american history have there been mass death events on us soil itself the civil war and 191819s spanish flu epidemic unless there is a dramatic and unlikely change in us policy within days there will be the third mass death event in the us this will necessarily hammer the us economy with a downturn worse than the international financial crisisgeopolitical consequences the geopolitical consequences of this situation are both immediate and long term in the short term so far the coronavirus has only hit three regions with mass force china the us and western europe countries in other regions will feel its full force in the coming weeks they can either attempt to follow the successful path of china or they can follow the disastrous one of the usfurthermore china the worlds greatest manufacturer can be of decisive practical aid to them such a simple fact as that france can order one billion facemasks from china shows what is possible the nonsense of the formal western concept of human rights will be demonstrated to billions of people this will inevitably produce a geopolitical shift in chinas favorhow deep the longerterm geopolitical consequences will be depends on how long the us continues on its present catastrophic course it is now impossible for the us to avoid a severe recession certainly the sharpest decline in output since the great depression and possibly worse how quickly the us economy can recover depends on how rapidly it can solve its medical crisis but to achieve this means for the reasons already given the us abandoning its totally false concept of human rights its subordination of human lives to the economy and in essence admitting that china was correct such a tremendous shift is unlikely to come nearly fast enough in a pandemic in which literally every day countsin the last 12 years the world has passed through two huge global tests the international financial crisis and the coronavirus pandemic in both china has far outperformed the us this will necessarily lead to a major shift in geopolitics in favor of china the longer the us continues with its present disastrous response to the coronavirus the greater that shift will be", + "https://www.rt.com/", + "FAKE", + 0.04386297229580813, + 1599 + ], + [ + null, + "the us may be deliberately spreading world panic about the coronavirus outbreak given chinas important influence on the global stage its technological development and its growing military capabilities thanks to the coronavirus donald trumps government has been able to stop china something he couldnt do through tariffs trade or tech wars the trade war huaweis blockade the protests in hong kong 5g gas pipeline power of siberia and natos growing focus on china are among the conflicting points but curiously it was a virus which finally achieved the us dearest wish isolating china", + null, + "FAKE", + 0.1285714285714286, + 93 + ], + [ + "BREAKING: New Evidence Based on Cell Phone Data Records Shows Shutdown of Wuhan Virology Lab in October – Two Months Before Outbreak (VIDEO)", + "bartiromo broke news this morning that cell phone records show there was a shutdown at the wuhan virology lab in october of 2019cell phone data suggests the roads around the wuhan lab was shut down for a number of days in octoberthis was around the same time of the expected viral releasethis is a huge developmentsenator cotton also added there is no doubt the chinese communist party officials were pressuring the who on communications around the virus", + "https://www.thegatewaypundit.com/", + "FAKE", + 0.028888888888888898, + 77 + ], + [ + "SPECIAL REPORT: Mike Adams joins Alex Jones to reveal how coronavirus is an engineered weapon to destroy the Western world", + "today i joined alex jones in the infowars studios to record a bombshell special report its entitled emergency report coronavirus is an engineered weapon for the global takedown of the western worldyou can watch it via this link at bannedvideo or see the video embed below also available soon via brighteoncomthe completely unscripted video is about one hour in duration and delves into the globalist origins of the engineered coronavirus and how open borders policies and malicious negligence by the cdc are converging to create millions of infections and deaths in america as part of a globalist plot to destroy trump and defeat americaalex opens the special report with a 19minute introduction that gives the big picture view of whats happening he then invites me on to explore issues likecoronavirus pandemic projections for americathe sxsw cancellation and why its part of a psyop to spread fear on top of the legitimate concerns over the virus spreadwhy president trump is making an enormous mistake in trusting cdc nih and fda advisorshow president trump could stop this virus in its tracks and save americathe china invasion scenario and why chinas military will be the first in the world thats immune to the coronavirushow hillary clinton becomes president after trump resigns under pressure following millions of deaths in america one possible scenario we pray doesnt happenhow trump can protect americas economy and prevent mass deaths by promoting antiviral herbs minerals and nutraceuticals that are available now and can substantially boost immune function across the population at largewhy big pharma is currently in control of washington dc and is exploiting this pandemic to rake in billions for the drug and vaccine industrieswhy globalist open borders policies were put in place before this biological weapon was released onto the world making sure infected migrants carry the virus into western europe and the usahow this pandemic achieves all the goals of the globalists depopulation gun control censorship martial law mandatory vaccines destroying americaending trump and much more its the ultimate combo weapon system to attack the western world and enslave humanity", + "http://www.Bioterrorism.news", + "FAKE", + 0.11016483516483515, + 345 + ], + [ + "Some people are burning 5G towers out of concern the electropollution might be worsening the coronavirus outbreak", + "fears about 5g radiation towers inducing or exacerbating the symptoms associated with the wuhan coronavirus covid19 are driving some people to light the technology on fire in acts of protestin birmingham england for instance a 5g mast that went up in flames the other day was captured on video as it burnt to a crisp similar burnings have also occurred in liverpool melling merseyside and aigburth according to bbc newsit would seem as though folks are realizing at least in great britain that 5g is an existential threat to humanity especially if its tied to the wuhan coronavirus covid19 and believe it or not some evidence does exist to suggest that the millimeter wave radiation emitted from 5g towers actually opens up peoples cells to receive viruses which would explain why wuhan china which went live with 5g late last year became the epicenter of the outbreakas youd probably expect the world health organization who and other governmental authorities are saying this is all bogus but people like singer and songwriter keri hilson believe that its all too correlative to simply be a coincidencepetitions organizations studies what were going thru is the effects of radiation hilson wrote on her twitter account 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling ltesome people are burning 5g towers out of concern the electropollution might be worsening the coronavirus outbreak 5g badhealth badpollution burning china chinese virus coronavirus covid19 disease electropollution global emergency global pandemic infection novel coronavirus outbreak pandemic symptoms towers virus wuhan wuhan coronavirus some people are burning 5g towers out of concern the electropollution might be worsening the coronavirus outbreak fears about 5g radiation towers inducing or exacerbating the symptoms associated with the wuhan coronavirus covid19 are driving some people to light the technology on fire in acts of protestin birmingham england for instance a 5g mast that went up in flames the other day was captured on video as it burnt to a crisp similar burnings have also occurred in liverpool melling merseyside and aigburth according to bbc newsit would seem as though folks are realizing at least in great britain that 5g is an existential threat to humanity especially if its tied to the wuhan coronavirus covid19 and believe it or not some evidence does exist to suggest that the millimeter wave radiation emitted from 5g towers actually opens up peoples cells to receive viruses which would explain why wuhan china which went live with 5g late last year became the epicenter of the outbreakas youd probably expect the world health organization who and other governmental authorities are saying this is all bogus but people like singer and songwriter keri hilson believe that its all too correlative to simply be a coincidencepetitions organizations studies what were going thru is the effects of radiation hilson wrote on her twitter account 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling ltehilsons tweets have since been deleted probably due to twitter censorship but you have to admit that the timing of the 5g rollout combined with the sudden spread of the wuhan coronavirus covid19 is at least suggestive of some type of connection between the twomeanwhile the sun uk is saying that people targeting 5g towers for destruction are idiots and that only conspiracy nuts believe that 5g has anything to do with the virus the government of the united kingdom uk has also come out to say that there is no evidence to suggest that 5g has anything to do with covid19listen below to the health ranger report as mike adams the health ranger talks about how amazon is directly contributing to the spread of the wuhan coronavirus covid19is 5g at all connected to the wuhan coronavirus covid19its worth noting that theres also a connection between 5g and id2020 the global microchipping and human tracking initiative that seeks to assign digital identities to every human being on earthmicrosoft cofounder and eugenicist bill gates is a big part of all this especially as he seeks to vaccinate everyone in the world for the wuhan coronavirus covid19 as it turns out the vaccines that gates is proposing will come alongside quantum dot tattoos that will connect to and run off of 5g technology\nin other words governments of the world are planning to eventually roll out a vaccine or two for the this coronvirus that people will have to accept if they want to be let out of quarantine and these vaccines will come with microchips that are powered by 5g towers which are being installed as an essential service even as people are locked down inside their homesyou can also check out this video in which a former executive at vodafone a major mobile phone carrier in the uk blows the lid on the connection between 5g the wuhan coronavirus covid19 the vaccine microchip agenda and the move towards a global digital currency", + "https://www.naturalnews.com/", + "FAKE", + 0.019427768248522964, + 842 + ], + [ + "No vaccine, no job: Eugenicist Bill Gates demands “digital certificates” to prove coronavirus vaccination status", + "on march 18 outspoken eugenicist bill gates participated in an ask me anything ama event on reddit entitled im bill gates cochair of the bill melinda gates foundation ama about covid19 and during this event gates openly admitted to the world that the agenda moving forward is to vaccinate every person on the planet with coronavirus vaccines as well as track them with mark of the beasttype digital certificatestaking place just five days after he conveniently stepped down from the public board of microsoft to dedicate more time to philanthropic priorities including global health and development education and climate change this ama event with bill gates ended up revealing the blueprints of the globalist endgame for humanity which includes tagging people like cattle and controlling what theyre allowed to do based on their vaccination statusif you agree to get vaccinated with a wuhan coronavirus covid19 vaccine once it becomes available in other words then the government will grant you permission to join back up with society and resume at least some of the normalcy of your former life if you dont however then youll presumably be ostracized from the rest of the world and forced into permanent isolation left to fend for yourself with no means to buy sell or conduct any type of business in order to make a living and survivethis is the book of revelation in action and bill gates is laying it all out for you assuming youre paying attention everything hes presenting as the solution to the wuhan coronavirus covid19 crisis was foretold long ago by the prophets and now its coming to fruition under the guise of stopping a global pandemic and ensuring that everyone has a proper digital identityit was october 2019 when bill gates held his infamous event 201 forum which included discussions about a hypothetical coronavirus pandemic and how to handle it fastforward a few months and here we are exactly as bill gates and his globalist cronies predicted or rather planned it all to happen along with their solutions waiting in the wings for a grand unveilingwhen asked what changes are we going to have to make to how businesses operate to maintain our economy while providing social distancing bill gates respondedthe question of which businesses should keep going is tricky certainly food supply and the health system we still need water electricity and the internet supply chains for critical things need to be maintained countries are still figuring out what to keep runningand heres the real kicker at the conclusion of his answereventually we will have some digital certificates to show who has recovered or been tested recently or when we have a vaccine who has received itdid you catch that bill gates wants to digitally track everyone who contracts the wuhan coronavirus covid19 and recovers from it along with everyone whos been tested for it he also wants to know who takes the coronavirus vaccine once it becomes publicly availablelisten below to the health ranger report as mike adams the health ranger talks about how the world economy has now come to an end due to the wuhan coronavirus covid19bill gates wants everyone to have a quantum dot tattoo microchip inserted in their bodies\nit should be noted that the numberone upvoted response to this admission by bill gates was from a user who pointed out that it directly aligns with revelation 13 which states beginning in verse 16 concerning the mark of the beasthe causes all both small and great rich and poor free and slave to receive a mark on their right hand or on their foreheads and that no one may buy or sell except one who has the mark of the name of the beast or the number of his name here is wisdom let him who has understanding calculate the number of the beast for it is the number of a man his number is 666keep in mind that this all coincides with the id2020 agenda which aims to create a global digital identification system for every person on earth as weve reported in the past id2020 and vaccines are being used together to harvest the biometric identities of all mankind and all for the purpose of creating the global system of tracking and control that was foretold in the book of revelationtheyve already begun to test id2020 in bangladesh inserting digital ids in the bodies of newborn babies along with their vaccinations and bill gates is now talking about how socalled quantum dot tattoos are the next wave of biometrics identification also to be inserted in peoples bodies through vaccinationa report from futurism explains the quantum dot tattoo as tiny semiconducting crystals that reflect light and that glows under infrared light this pattern along with the vaccine its hidden in gets delivered into the skin using hitech dissolvable microneedles made of a mixture of polymers and sugar and is coming to a vaccine clinic near you in the very near futurethis short and unexpected answer opened a gigantic pandoras box of what could be in store in the near future the inevitable mass vaccination campaign to eradicate covid19 would be the perfect opportunity to introduce a worldwide digital id warns vigilant citizento keep up with the latest wuhan coronavirus covid19 news be sure to check out pandemicnews", + "http://www.californiacollapse.news", + "FAKE", + 0.08332437275985663, + 885 + ], + [ + "CORONAVIRUS AND THE HORIZONS OF A MULTIPOLAR WORLD: THE GEOPOLITICAL POSSIBILITIES OF EPIDEMIC", + "the global coronavirus pandemic has enormous geopolitical implications the world will never be the same again however it is premature to speak of what kind of world it will end up being the outbreak has not passed we have not even reached the peak the main unknown points remain what kind of losses will humanity ultimately suffer how many deaths who will be able to stop the virus from spreading and how what are the real consequences for those who have been sick and those who have survivedno one can yet answer these questions even approximately and therefore we cannot even remotely imagine the real damage in the worst case scenario the pandemic will lead to a serious decline in the worlds population at best the panic will turn out to be premature and groundless but even after the first months of the pandemic some global geopolitical changes are already quite obvious and largely irreversible no matter how the subsequent events unfold something in the world order has changed once and for allthe outbreak of the coronavirus epidemic has been a decisive moment in the destruction of the unipolar world and the collapse of globalization the crisis of unipolarity and the slippage of globalization has been noticeable since the very beginning of the 2000s the 911 catastrophe the sharp growth of chinas economy the return to global politics of putins russia as an increasingly sovereign entity the sharp activation of the islamic factor the growing crisis of migrants and the rise of populism in europe and even the united states that resulted in the election of trump and many other parallel phenomena have made it clear that the world formed in the 90s around the dominance of the west the us and global capitalism has entered a crisis phase the multipolar world order is beginning to form with new central actors civilizations as anticipated by samuel huntington while there were signs of emerging multipolarity a trend is one thing and objective reality another it is like cracked ice in spring it is clear that it will not last long but at the same time it is undeniably here you can even move across it albeit with risk no one can be certain when the cracked ice will actually give way we can now begin the countdown to a multipolar world order the starting point is the coronavirus epidemic the pandemic has buried globalization open society and the global capitalist system the virus has forced us onto the ice and individual enclaves of humanity have begun to take their isolated historical trajectoriesthe coronavirus has buried all the major myths of globalization the effectiveness of open borders and the interdependence of the worlds countriesthe ability of supranational institutions to cope with an extraordinary situationthe sustainability of the global financial system and the world economy as a whole when faced with serious challenges the uselessness of centralized states socialist regimes and disciplinary methods in solving acute problems and the complete superiority of liberal strategies over themthe total triumph of liberalism as a panacea for all problem situationstheir solutions have not worked in italy or other eu countries nor in the united states the only thing that has proven effective is the sharp closure of society reliance on domestic resources strong state power and isolation of the sick from the healthy citizens from foreigners etcat the same time even the countries of the west reacted to the pandemic quite differently the italians introduced full quarantine macron introduced a regime of state dictatorship in the spirit of jacobins merkel gave 500 billion to support the population and boris johnson following the spirit of anglosaxon individualism suggested that the disease be considered a private matter for every englishman and refused to carry out testing sympathizing in advance with those who will lose loved ones trump established a state of emergency in the united states closing communications with europe and the rest of the world if the west acts so disparately and contradictorily then what about the rest of the countries everyone seems to be saving themselves as they can this has been best accomplished by china which as a result of the communist partys handson policies has established tough disciplinary methods to fight the infection and accused the united states of spreading it the same accusation was made by iran which has been hit hard by the virus including among the countrys top leadership\nthus the virus has ripped apart the open society at the seams and thrust mankind forward on its voyage toward a multipolar world\nwhatever ended with the fight against the coronavirus it is clear that globalization has collapsed this could almost certainly spell the end of liberalism and its total ideological dominance it is hardly possible to foresee the final version of the future world order especially in its details multipolarity is a system that historically has not existed and if we look for some distant analogue of it we should turn not to the era of more or less equivalent european states after the westphalian world but to the time preceding the era of the great geographical discovery when along with europe divided into western and eastern christian countries the islamic world india china and russia existed as independent civilizations the same civilizations existed in the precolonial period in america the incas aztecs etc and africa there were links and contacts between these civilizations but there was no single binding type with universal values institutions and systems\nthe postcoronavirus world is likely to involve individual world regions civilizations continents gradually forming into independent players at the same time the universal model of liberal capitalism will likely collapse this model currently serves as the common denominator of the whole structure of unipolarity from the absolutization of the market to parliamentary democracy and human rights ideology including notions of progress and the law of technological development which have become a dogma in new age europe and spread to all human societies through colonization directly or indirectly in the form of westernization\nmuch will depend on who will defeat the epidemic and how where disciplinary measures prove effective they will enter the political and economic order of the future as an essential component the same conclusion can be reached by those who on the other hand will not be able to cope with the threat of a pandemic through openness and by avoiding harsh measures temporary alienation dictated by the direct threat of contagion from another country and another region the severance of economic ties and the necessary alienation from a single financial system will force states in the epidemic to look for selfreliance because the priority will be food security a minimum autonomy and economic autarchy to meet the vital needs of the population on the other side of any economic dogma which before the coronavirus crisis was considered the only possibility even where liberalism and capitalism are preserved they will be placed in the national framework in the spirit of mercantilist theories insisting on maintaining a monopoly on foreign trade in the hands of the state those who are less connected to the liberal tradition may well move in the inventories of the most optimal organization of big space in other directions taking into account civilizational and cultural peculiaritiesone cannot say in advance what the multipolar model as a whole will eventually become but the very fact of breaking the generally binding dogma of liberal globalization will open up completely new opportunities and ways for each civilizationafter the coronavirus multipolar safety the multipolar world will create an entirely new security architecture it may not be more sustainable or adaptable to conflict resolution but it will be different in this new model the west the us and nato if nato still exists will be just one factor alongside others the us itself will clearly not be able and probably will not want to if the trump line finally prevails in washington to play the role of the sole global arbitrator and therefore the us will acquire a different status after quarantine and state of emergency it can be compared to israels role in the middle east israel is undoubtedly a powerful country actively influencing the balance of power in the region but it does not export its ideology and values to the surrounding arab countries on the contrary it preserves its jewish identity for itself trying rather to free itself from the holders of other values than to include them in its composition building a wall with mexico and trumps call for americans to focus on their own internal problems is similar to israels path the united states will be a powerful power but its liberalcapitalist ideology will only remain for itself rather than by attracting outsiders the same will apply to europe consequently the most important factor of the unipolar world will radically change its statusthis of course will lead to a redistribution of forces and functions among other civilizations europe if it keeps its unity to any degree is likely to create its own military bloc independent of the united states which was already discussed after the collapse of the soviet union the eurocorps project and has been repeatedly hinted at by macron and merkel not being directly hostile to the united states such a bloc will in many cases follow european interests proper which may sometimes differ sharply from those of the united states first and foremost it will affect relations with russia iran china and the islamic worldchina will have to transform itself from a beneficiary of globalization and adapt to pursue its national interests as a regional power this is exactly what all the processes in china have been heading towards lately strengthening xi jianpings power the one belt one road project etc it will no longer be about globalization with chinese characteristics but an explicit far eastern project with special confucian and partly socialist characteristics conflicts in the pacific ocean with the united states will clearly at some point become more acutethe islamic world will face a difficult problem of the new paradigm of selforganization as in the conditions of formation of large spaces europe china usa russia etc individual islamic countries will not be able to be fully commensurate with the rest and effectively defend their interests there will be a need for several poles of islamic integration shia with the center in iran and sunni where along with indonesia and pakistan in the east a western sunni block around turkey and some arab countries of egypt or the gulf states is likely to be constructedand finally in the multipolar world order russia has a historical chance to strengthen itself as an independent civilization which will see an increase in power as a result of the sharp decline of the west and its internal geopolitical fragmentation yet at the same time it will also be a challenge before fully asserting itself as one of the most influential and powerful poles in the multipolar world russia will have to pass the maturity test preserving its unity and reasserting its zones of influence in the eurasian space it is not yet clear where the southern and western borders of russiaeurasia will be postcoronavirus this will largely depend on what regime what methods and efforts russia will use to cope with the pandemic and what political consequences this has in addition it is impossible to knowingly predict the state of other large spaces the poles of the multipolar world the constitution of the russian perimeter will depend on many factors some of which may prove to be quite acute and conflictualgradually a system of multipolar settlement will be formed either on the basis of the un reformed under the conditions of multipolarity or in the form of some new organization again everything here will depend on how the fight against the coronavirus unfoldsthe virus as a mission one should not be deceived the world coronavirus pandemic is a turning point in world history not only are stock indices and oil prices collapsing the world order itself is falling we are living in the period of the end of liberalism and its obviousness as global metanarrative the end of its measures and standards human societies will soon become free floating no more dogmas no more dollarimperialism no more free market spells no more fed dictatorship or global stock exchanges no more subservience to the world media elite each pole will build its future on its own civilizational foundations it is obviously impossible to say what this will look like or what it will lead to however it is already clear that the old world order is becoming a thing of the past and quite distinct contours of a new reality are emerging before us what neither ideologies nor wars nor fierce economic battles nor terror nor religious movements have been able to do has been accomplished by an invisible yet deadly virus it brought with it death pain horror panic sorrow but also the future", + "https://web.archive.org/", + "FAKE", + 0.07601711979327043, + 2175 + ], + [ + "A Banana A Day Keeps The Coronavirus Away", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support heart health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiber both of which promote regularity and encourage digestive healthresearch made by scientists from the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "YouTube", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + "Super Flu or a Mild Cold?", + "with symptoms ranging from a gasping death to nothing at all one has to wonder whether covid19 is a super flu or a mild cold have we ruined our economy over nothing or saved millions of people from death if covid19 is a mild cold how did we mistake it for a super flu there are over 200 different viruses that cause the common cold the most common are rhinoviruses coronaviruses adenoviruses and respiratory syncytial viruses the average person gets one to three colds per year and due to the large variety of viruses responsible there is no vaccine influenza is another common respiratory virus cold or flu respiratory viruses present similar symptoms and follow the same life cycle launched into the environment from their current host they might survive long enough to find another typically by inhalation they might make their way to the mucosa they might make it past the wall of mucus to the underlying cells where they might manage to infect one irritated by the intruder the cells send an alarm and macrophages soon begin the equivalent of carpet bombing the release of cytotoxic chemicals causes tissue damage and even more irritation the mucosa releases more mucus filling the sinuses and dripping into the lungs cilia move mucus out of the lungs up to the throat where most of it makes its way to the stomach but coughing is also an option launching virus into the environment the more specialized t and b lymphocytes make their way to the infection where they test the infectious agent to determine if they are a good match once a b cell matches close enough the precision strikes start the adaptive immune system further alters its genetics to make an even better match for example the common coronaviruses hcov229e oc43 nl63 and hku1 look a lot like the sars coronaviruses and prior infection with one provides partial immunity to the others acquired immunity this is the important part the bulk of the damage and symptoms are caused by the immune response not the virus this is why all of those vastly different respiratory viruses have similar symptoms and even airborne irritants cause coldlike symptoms eg allergies it is highly unlikely that any respiratory virus will ever be a super flu because the severity of the illness is limited to the bodys ability to damage itself not that the body lacks such an ability consider what might happen if multiple irritants were present simultaneously such as chronic emphysema from pollution or dust allergies or diabetes sugar is inflammatory why is sars so bad when the virus infects the upper respiratory tract we get a stuffy nose when the virus infects the lower respiratory tract we get stuffy lungs sarslike coronaviruses typically infect the upper tract but can get down into the lungs more than typical for cold viruses sarslike coronaviruses are cold viruses ones with increased potential for a very bad but not uncommon outcome we measure the danger of communicable diseases by the proportion of infected people that die and how well they spread flu is the standard killing about 01 of the infected with about a 30 chance of spreading to samehousehold family members covid19 looks to kill about 15 of infected people and has about a 55 chance of infecting a family member deadly and virulent so why suspect that this might be a mild cold there is a problem with the denominator we only test those who report to doctors but colds are so common and symptoms can be so mild that only 1in5 to 1in10 infected people go to the doctor the mortality rate from covid19 might be closer to 015 more in line with influenza there might be many more cases to a level that covid19 already ripped through the united states although it was widely reported that this outbreak began on december 31st the world health organizations charts show covid19 deaths declining by january 10 and the first confirmed cases appearing around december 2nd cases outside of wuhan grew in parallel with wuhan rather than delayed suggesting that covid19 was already widespread in china by middecember a good trick for a country with statelimited mobility if only 1in5 people ended up in the hospital this could have begun in latetomid november the diamond princess was infected by a guest who boarded on january 20th and milan was infected by visitors on january 23rd so this had already spread through china enough that they were spreading it to the world there have been a few reports that the chinese were noticing something happening in october if the start date was a month or more before december 31st then we are not talking about 7000 cases in the us starting in early february but 6000000 to 10000000 cases starting in late december this means that rather than a 015 mortality covid19 is nearly harmless if fewer than 1in5 people are reporting to their doctor the start of covid19 is pushed back even further enlarging the number of infected to point that covid19 is this years common cold and most people have already had it how could we miss harmless covid19 was so bad in wuhan that the chinese and who concluded it was sars the possibility of pollutioninduced chronic emphysema or the incompetence of socialized medicine complicating a cold into a super flu was never considered china and then the rest of the world focused on those who were wheezing for breath even going so far as to decline testing people in the vicinity of the infected just because they were breathing normally sending them on their merry way to infect others we focused on the extremely ill everyone did turning to china and the who for guidance oops we put fearmongers in charge dr anthony fauci is the head of the national institute of allergy and infectious diseases niaid as the head of niaid one of faucis core responsibilities is to get congress to spend more money on infectious disease research for decades he has testified that the cure for aids is right around the corner that ebola virus is coming for us or that some crossspecies plague will emerge from a chinese wet market and we just need more money to research it the current events have played right into his fantasy but as pointed out above it is a fantasy this is the equivalent of noticing holes in the ozone layer and then putting chicken little an expert on the sky in charge of the response we eventually realized that the holes were always there and we will eventually realize the true magnitude of covid19 years from now hidden in the scientific literature but there are already hints china reported a decline within a week of starting its social distancing in early february but the decline was already apparent in late january the us is seeing a booming increase after its social distancing as medical professionals are starting to test more people with sniffles and no history of contact with the known infected could it be that the disease was already burning out in china and we are taking our focus off the worst cases in the us covid19 is shaping up to be a mild cold and potentially a very mild one at that", + "https://www.americanthinker.com/", + "FAKE", + -0.005487391193036351, + 1222 + ], + [ + "Italy decide not to treat its elderly population with coronavirus", + "italy has decided not to treat their elderly for this virus that my friends is socialized healthcare", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + "Inside the Chinese lab poised to study world's most dangerous pathogens", + "maximumsecurity biolab is part of plan to build network of bsl4 facilities across chinaeditors note january 2020 many stories have promoted an unverified theory that the wuhan lab discussed in this article played a role in the coronavirus outbreak that began in december 2019 nature knows of no evidence that this is true scientists believe the most likely source of the coronavirus to be an animal marketa laboratory in wuhan is on the cusp of being cleared to work with the worlds most dangerous pathogens the move is part of a plan to build between five and seven biosafety level4 bsl4 labs across the chinese mainland by 2025 and has generated much excitement as well as some concernssome scientists outside china worry about pathogens escaping and the addition of a biological dimension to geopolitical tensions between china and other nations but chinese microbiologists are celebrating their entrance to the elite cadre empowered to wrestle with the worlds greatest biological threatsit will offer more opportunities for chinese researchers and our contribution on the bsl4level pathogens will benefit the world says george gao director of the chinese academy of sciences key laboratory of pathogenic microbiology and immunology in beijing there are already two bsl4 labs in taiwan but the national biosafety laboratory wuhan would be the first on the chinese mainlandthe lab was certified as meeting the standards and criteria of bsl4 by the china national accreditation service for conformity assessment cnas in january the cnas examined the labs infrastructure equipment and management says a cnas representative paving the way for the ministry of health to give its approval a representative from the ministry says it will move slowly and cautiously if the assessment goes smoothly it could approve the laboratory by the end of june\nbsl4 is the highest level of biocontainment its criteria include filtering air and treating water and waste before they leave the laboratory and stipulating that researchers change clothes and shower before and after using lab facilities such labs are often controversial the first bsl4 lab in japan was built in 1981 but operated with lowerrisk pathogens until 2015 when safety concerns were finally overcomethe expansion of bsl4lab networks in the united states and europe over the past 15 years with more than a dozen now in operation or under construction in each region also met with resistance including questions about the need for so many facilitiesthe wuhan lab cost 300 million yuan us44 million and to allay safety concerns it was built far above the flood plain and with the capacity to withstand a magnitude7 earthquake although the area has no history of strong earthquakes it will focus on the control of emerging diseases store purified viruses and act as a world health organization reference laboratory linked to similar labs around the world it will be a key node in the global biosafetylab network says lab director yuan zhimingthe chinese academy of sciences approved the construction of a bsl4 laboratory in 2003 and the epidemic of sars severe acute respiratory syndrome around the same time lent the project momentum the lab was designed and constructed with french assistance as part of a 2004 cooperative agreement on the prevention and control of emerging infectious diseases but the complexity of the project chinas lack of experience difficulty in maintaining funding and long government approval procedures meant that construction wasnt finished until the end of 2014the labs first project will be to study the bsl3 pathogen that causes crimeancongo haemorrhagic fever a deadly tickborne virus that affects livestock across the world including in northwest china and that can jump to peoplefuture plans include studying the pathogen that causes sars which also doesnt require a bsl4 lab before moving on to ebola and the west african lassa virus which do some one million chinese people work in africa the country needs to be ready for any eventuality says yuan viruses dont know borders\ngao travelled to sierra leone during the recent ebola outbreak allowing his team to report the speed with which the virus mutated into new strains1 the wuhan lab will give his group a chance to study how such viruses cause disease and to develop treatments based on antibodies and small molecules he saysthe opportunities for international collaboration meanwhile will aid the genetic analysis and epidemiology of emergent diseases the world is facing more new emerging viruses and we need more contribution from china says gao in particular the emergence of zoonotic viruses those that jump to humans from animals such as sars or ebola is a concern says bruno lina director of the virpath virology lab in lyon francemany staff from the wuhan lab have been training at a bsl4 lab in lyon which some scientists find reassuring and the facility has already carried out a testrun using a lowrisk virusbut worries surround the chinese lab too the sars virus has escaped from highlevel containment facilities in beijing multiple times notes richard ebright a molecular biologist at rutgers university in piscataway new jersey tim trevan founder of chrome biosafety and biosecurity consulting in damascus maryland says that an open culture is important to keeping bsl4 labs safe and he questions how easy this will be in china where society emphasizes hierarchy diversity of viewpoint flat structures where everyone feels free to speak up and openness of information are important he saysyuan says that he has worked to address this issue with staff we tell them the most important thing is that they report what they have or havent done he says and the labs international collaborations will increase openness transparency is the basis of the lab he addsthe plan to expand into a network heightens such concerns one bsl4 lab in harbin is already awaiting accreditation the next two are expected to be in beijing and kunming the latter focused on using monkey models to study diseaselina says that chinas size justifies this scale and that the opportunity to combine bsl4 research with an abundance of research monkeys chinese researchers face less red tape than those in the west when it comes to research on primates could be powerful if you want to test vaccines or antivirals you need a nonhuman primate model says linabut ebright is not convinced of the need for more than one bsl4 lab in mainland china he suspects that the expansion there is a reaction to the networks in the united states and europe which he says are also unwarranted he adds that governments will assume that such excess capacity is for the potential development of bioweaponsthese facilities are inherently dual use he says the prospect of ramping up opportunities to inject monkeys with pathogens also worries rather than excites him they can run they can scratch they can bitetrevan says chinas investment in a bsl4 lab may above all be a way to prove to the world that the nation is competitive it is a big status symbol in biology he says whether its a need or not", + "https://www.nature.com/", + "FAKE", + 0.12757892513990077, + 1167 + ], + [ + "RFK, Jr. Joins EM Radiation Research Trust in Calling Upon UK Prime Minister to Halt 5G Deployment", + "robert f kennedy jr and dafna tachover director of 5g and wireless harms project of childrens health defense chd signed onto the uk em radiation research trust rrt letter calling on uk prime minister boris johnson and political leaders to protect the public from the proven harms of wireless radiation and 5gthe open letter of complaint was written in response to an article published by first news in their childrens online newspaper titled there is no 5g conspiracy claiming 5g is absolutely safe rrt which is a trusted and leading uk group dedicated to education about wireless radiation health effects has been receiving emails and phone calls from parents school children and teachers asking rrt to respond to the articlethe letter was written by rrts chairwoman eileen oconnor and the groups us based advisor susan foster and responds to the unsubstantiated and false claims by first news of the absolute safety of 5g the letter provides ample scientific evidence of proven harms by wireless radiation and addresses how big telecom is defrauding the publicthe rrt believes that it is one thing to comfort children with respect to the lockdown and the corona virus said ms oconner but not at the cost of the truth about the very real harms from these dangerous exposuressince 5g infrastructure is based primarily on 4g and on pulsed and modulated radio and microwave frequencies that have been proven harmful in thousands of studies harms that have been confirmed by courts around the world there is no doubt that 5g is harmful as wellchildren need to be told the truth cell phones and cell towers emit radiation commented ms foster it is ludicrous and shameful to tell children that a great deal of research has been done to prove 5g safe when decades of science on the biological effects of electromagnetic radiation have proven it harmfulrfk jr dafna tachover and chd are calling for the protection of those who have already been harmed by wireless technology radiation including many children and for the prevention of further and imminent harm by halting 5g deployment5g deployment is exponentially increasing our exposure to this harmful radiation and technology of special concern is the installation of cell phones antennas in close proximity to peoples homes and childrens bedrooms as a result growing numbers of countries and municipalities around the world have banned the deployment of 5gchildrens health defense joined this effort as it is aligned with the organizations mission to protect children from environmental toxins 5g and wireless radiation constitute toxins which are significantly involved in the increase of sickness in children sadly in the uk a 15 yo girl jenny fry committed suicide after becoming sick from wireless and as a result of the mistreatment she has experienced because of her sicknessrfk jr dafna tachover and chd are calling for the protection of those who have already been harmed by wireless technology radiation including many children and for the prevention of further and imminent harm by halting 5g deployment", + "https://childrenshealthdefense.org/", + "FAKE", + 0.1549175824175824, + 500 + ], + [ + null, + "the patented nanosilver we have the pentagon has come out and documented and homeland security has said this stuff kills the whole sarscorona family at pointblank range well of course it does it kills every virus", + "infowars.com", + "FAKE", + 0.2, + 36 + ], + [ + null, + "the coronavirus epidemic marks the beginning of an era of crisis for paneuropean identity and solidarity national borders between the eu countries closed by state governments have become a clear illustration of the eus inefficiency and its failed health and safety policies therefore all the bureaucratic structures of the eu as well as political forces oriented towards the globalist agenda feel a clear threat of losing their power", + "riafan.ru", + "FAKE", + -0.07999999999999999, + 68 + ], + [ + "The Coronavirus Hoax. “Governments Love Crises”", + "governments love crises because when the people are fearful they are more willing to give up freedoms for promises that the government will take care of them after 911 for example americans accepted the neartotal destruction of their civil liberties in the patriot acts hollow promises of securityit is ironic to see the same democrats who tried to impeach president trump last month for abuse of power demanding that the administration grab more power and authority in the name of fighting a virus that thus far has killed less than 100 americansdeclaring a pandemic emergency on friday president trump now claims the power to quarantine individuals suspected of being infected by the virus and as politico writes stop and seize any plane train or automobile to stymie the spread of contagious disease he can even call out the military to cordon off a us city or statestate and local authoritarians love panic as well the mayor of champaign illinois signed an executive order declaring the power to ban the sale of guns and alcohol and cut off gas water or electricity to any citizen the governor of ohio just essentially closed his entire statethe chief fearmonger of the trump administration is without a doubt anthony fauci head of the national institute of allergy and infectious diseases at the national institutes of health fauci is all over the media serving up outright falsehoods to stir up even more panic he testified to congress that the death rate for the coronavirus is ten times that of the seasonal flu a claim without any scientific basisend the shutdown its time for resurrectionon face the nation fauci did his best to further damage an already tanking economy by stating right now personally myself i wouldnt go to a restaurant he has pushed for closing the entire country down for 14 daysover what a virus that has thus far killed just over 5000 worldwide and less than 100 in the united states by contrast tuberculosis an old disease not much discussed these days killed nearly 16 million people in 2017 wheres the panic over thisif anything what people like fauci and the other fearmongers are demanding will likely make the disease worse the martial law they dream about will leave people hunkered down inside their homes instead of going outdoors or to the beach where the sunshine and fresh air would help boost immunity the panic produced by these fearmongers is likely helping spread the disease as massive crowds rush into walmart and costco for that last roll of toilet paperthe madness over the coronavirus is not limited to politicians and the medical community the head of the neoconservative atlantic council wrote an editorial this week urging nato to pass an article 5 declaration of war against the covid19 virus are they going to send in tanks and drones to wipe out these microscopic enemiespeople should ask themselves whether this coronavirus pandemic could be a big hoax with the actual danger of the disease massively exaggerated by those who seek to profit financially or politically from the ensuing panicthat is not to say the disease is harmless without question people will die from coronavirus those in vulnerable categories should take precautions to limit their risk of exposure but we have seen this movie before government overhypes a threat as an excuse to grab more of our freedoms when the threat is over however they never give us our freedoms back", + "https://www.globalresearch.ca/", + "FAKE", + 0.02535866910866911, + 575 + ], + [ + "5G, biometrics systems being covertly installed in schools during coronavirus lockdowns", + "as most people sit at home and patiently await their release from the wuhan coronavirus covid19 lockdowns reports continue to surface about potentially nefarious activities that are taking place under the cover of darkness while almost nobody is lookingone of these activities involves the alleged installation of 5g towers and biometrics systems at public schools as well as inside and on top of other publicly funded facilities since many public outfits are temporarily shut down due to the wuhan coronavirus covid19 now is the perfect time for them to be outfitted with technologies that were students and their parents present on a daily basis would otherwise be much harder to concealback in midmarch the youtube channel logic before authority posted a video detailing a message purportedly received from a member of a local school board who claims that school districts are covertly installing 5g equipment in public schools while students remain at home indefinitely with their parents and this same source claims that the us department of education is the one directing these installationsthis video is available for viewing below5g biometrics systems being covertly installed in schools during coronavirus lockdowns biometrics china chinese virus coronavirus covert covid19 disease glitch global emergency global pandemic infection installation lockdowns novel coronavirus outbreak pandemic police state schools surveillance virus wuhan wuhan coronavirus 5g biometrics systems being covertly installed in schools during coronavirus lockdowns as most people sit at home and patiently await their release from the wuhan coronavirus covid19 lockdowns reports continue to surface about potentially nefarious activities that are taking place under the cover of darkness while almost nobody is lookingone of these activities involves the alleged installation of 5g towers and biometrics systems at public schools as well as inside and on top of other publicly funded facilities since many public outfits are temporarily shut down due to the wuhan coronavirus covid19 now is the perfect time for them to be outfitted with technologies that were students and their parents present on a daily basis would otherwise be much harder to conceal\nback in midmarch the youtube channel logic before authority posted a video detailing a message purportedly received from a member of a local school board who claims that school districts are covertly installing 5g equipment in public schools while students remain at home indefinitely with their parents and this same source claims that the us department of education is the one directing these installationsthis video is available for viewing belowif workers are caught entering and leaving public schools this same source says that many of them are being instructed to state that theyre present for disinfection purposes but upon closer analysis this doesnt appear to be true at least not according to video footage that was captured of mysterious white work vans parked behind an unknown schoolalthough we do not see the name or location of the school the video clearly shows vans for two companies systems plus wisconsin and north american mechanical inc reports global research canada both companies appear to be headquartered in madison wisconsinsystems plus wisconsin hangs up phone after being asked if their vans are associated with 5g installations\nwhen the person who filmed all of the white vans at the school decided to contact the one company systems plus wisconsin which admits that it installs biometrics systems the person on the other end of the phone reportedly hung up when asked if there was anything happening in relation to 5gthe word 5g has almost become a dirty word and something that even the companies that deal with it dont want to be associated with anymore because of the negative stigma thats attached to it if youd like to learn more about the dangers of 5g be sure to check out the documentary film 5g apocalypse the extinction eventsince these two videos were published many other inquisitive minds have checked out their local schools and observed similar activities mysterious vans installing unusual towers and antennas on school grounds during these lockdowns are apparently more common than previously thought which is sparking a growing public backlashcitizen journalists if you will are encouraged to get out there and take a look and report what they find on social media on youtube and even directly to their local school boards put the pressure where it needs to be and demand answers otherwise this type of activity will only continue unquestionedour concern is that 5g could be installed without our knowledge while we are grappling with the fallout of the covid19 pandemic and that the installation of biometric systems could be a part of a more sinister agenda reports global research", + "https://www.naturalnews.com/", + "FAKE", + 0.06905766526019691, + 771 + ], + [ + "Coronavirus - No vaccine needed for healing", + "the new york times reported on march 30 that president trump backed down from his previous statement that by april 12 the covid19 lockout should be over and its time to think about back to work instead he said an extension until the end of april was necessary and perhaps even until june this he said followed the advice of his advisers including dr anthony fauci director of the national institute of allergy and infectious diseases niaid within the national institute for health nih the covid19 virus has so far caused far fewer infections and deaths than regular flu in recent years the who reported on march 30 750000 infections worldwide and 36000 deaths in the united states there are approximately 161000 cases and 3000 deaths yet whistleblower fauci says there could be millions of cases of coronavirus in the united states and 100000 to 200000 deaths and coincidentally bill gates does the same using roughly the same numbers\nall this with the idea of imposing a vaccine on the populationa multibillion dollar vaccine is not necessaryniad and the bill and melinda gates foundation are collaborating to develop a covid19 vaccinechina has shown that the covid19 virus can be brought under control at relatively low cost and with strict discipline and traditional medicines the same drugs and measures have been used for centuries to successfully prevent and cure all kinds of viral diseasesfirst of all a vaccine against covid19 or against coronaviruses in general is a vaccine against influenza vaccines do not cure ideally influenza vaccines can prevent the virus from affecting a patient as much as it would without a vaccine the effectiveness of influenza vaccines is generally evaluated between 20 and 50 above all vaccines are a huge financial bonus for large pharmaceutical companiesthen here are a multitude of remedies that have proven to be very effective see also this and thatthe french professor didier raoult which is one of the five best scientists in the world in the field of communicable diseases has suggested the use of hydroxychloroquine chloroquine or plaquenil a well known drug simple and low covid19 more hydroxychloroquine data from francecost also used to fight malaria which has been shown to work with previous coronaviruses such as sars from midfebruary 2020 clinical trials at his institute and in china have already confirmed that the drug can reduce viral load and bring a dramatic improvement chinese scientists have published their first trials on more than 100 patients and announced that the chinese national health commission would recommend chloroquine in its new guidelines for the treatment of the covid19 viruschina and cuba are collaborating on the use of interferon alpha 2b a highly effective antiviral drug developed in cuba for 39 years but little known to the world due to the embargo imposed by the united states on everything which comes from cuba interferon has also been shown to be very effective in the fight against covid19 and is now produced in a joint venture in china there is an old natural indian ayurvedic medicine curcumin which comes in the form of c90 capsules it is an antiinflammatory and antioxidant compound that has been used successfully to treat cancer infectious diseases and yes coronaviruses\nother simple but effective remedies include the use of large doses of vitamin c as well as vitamin d3 or more generally the use of essential micronutrients to fight infections especially vitamins a b c d summer another remedy used for thousands of years by the ancient chinese romans and egyptians is colloidal silver products they come in the form of a liquid to be administered orally or to be injected or to be applied to the skin colloidal silver products strengthen the immune system fight bacteria and viruses and have been used to treat cancer hiv aids shingles herpes eye conditions prostatitis and covid19\na simple and inexpensive remedy to use in combination with others is the mentholbased mentholatum it is used for common flu and cold symptoms applied on and around the nose it acts as a disinfectant and prevents germs from entering the respiratory tract including coronavirusesnorthern italy and new orleans report that an unusual number of patients had china is using cubas interferon alfa 2b against coronavirus to be hospitalized in intensive care units icus and placed on a 24hour 7dayaday ventilator some of them not reacting and falling into respiratory failure the reported mortality rate is around 40 this condition is called acute respiratory distress syndrome ards this means that the lungs are filled with fluid when this description of ards episodes applies dr raoult and other medical colleagues recommend covid19 patients to sleep sit until they are cured this allows the fluid to escape from the lungs this method has been known for its effectiveness since it was first documented during the 1918 spanish flu epidemicfinally chinese researchers in cooperation with cuban and russian scientists are also developing a vaccine that may soon be ready for testing this vaccine would attempt to attack not only a single strand of coronavirus but also the basic genome of coronaviral rna rna ribonucleic acid to prevent new mutations in coronaviruses unlike the west which works exclusively for profit the sinocubanrussian vaccine would be made available to the whole world at a low price\nthese alternative remedies cannot be found on the internet controlled by the major pharmaceutical companies internet references if any may discourage their use at best they will tell you that these products or methods have not proven to be effective and at worst that they can be harmful dont believe it none of these products or methods are harmful remember that some of them have been used as natural remedies for thousands of years and dont forget that china has successfully mastered covid19 using some of these relatively simple and inexpensive drugsfew doctors know these practical simple and inexpensive remedies the media under pressure from giants of the pharmaceutical industry and government agencies that comply with it were asked to censor this valuable information neglect or inability to publicize these readily available remedies takes their toll\nthe role of bill gates and locking bill gates may have been one of trumps advisers suggesting that he extend the return to work date at least until the end of april and if gates wants it at least until in june it remains to be seen gates is very very powerfulbill gates says us has missed chance to avoid coronavirus closure and businesses should stay closed the bill and melinda gates foundation will be the source of the organization of mass vaccination which should be launched in the period following containmentthe vaccination association includes the coalition for epidemic preparedness innovations cepi a semingo to which nih niaid has entrusted the supervision of the vaccination program with the support of bill gates gavi the global alliance for vaccines and immunization also a creation of bill gates supported by who also heavily funded by the gates foundation the world bank and unicef as well as a myriad of pharmaceutical partnersbill gates also strongly suggests that travelers must have a vaccination certificate in their passports before boarding a plane or entering a countrythe implementation of the program including a related global electronic identity program possibly administered using nanos chips that could be integrated into the vaccine itself would be overseen by the littleknown agency agenda id2020 which is also an initiative from the bill and melinda gates foundationbill gates is also known as a fervent proponent of a drastic and selective reduction of the population knowing what we know who would trust any vaccine with the signature of bill gates the hope that this evil enterprise will not succeed is very important we have to keep hope until the end then the end will never come and little by little the light will drown the darkness", + "https://www.mondialisation.ca/", + "FAKE", + 0.10244898922469015, + 1314 + ], + [ + "Decadent like the late Roman Empire, the West is committing suicide through its irrational response to Covid-19", + "czech theoretical physicist who was an assistant professor at harvard university from 2004 to 2007 he writes a science and politics blog called the reference framemany think covid19 is some kind of alien invasion that spells the end of the world but the real threat to us is a much deadlier virus a hatred of all the values that have underpinned our civilisation for centuriesfor years i was puzzled as to why the roman empire ceased to exist and was replaced by communities that were uncivilized by comparison how and why could mankinds progress reverse in this way recent experience has eliminated the mystery no special devastating event was needed the cause of romes demise was simply the loss of its peoples desire to support their empire and its underlying values and as it was 1500 years or so ago so i fear it is nowthe covid19 crisis specifically the reaction to it demonstrates that people have grown bored detached and easily impressionable by things that have nothing to do with the roots of their society we are all or too many of us fin de siècle romans nowa large number of westerners are happy to accept the suicidal shutting down of their economies to try to halt a virus that predominantly causes old and sick people to die just a few weeks or months before they would have anyway just as they enthusiastically endorse proclamations such as that there are 46 sexes not two that the flatulence of a cow must be reduced to save a polar bear that millions of migrants from the third world must be invited to europe and assumed to be neurosurgeons and so on the widespread opinion that everything including economies must be sacrificed to beat coronavirus is a revival of medieval witch hunts the sacrifice seems more important than finding an effective method to deal with the problemour increasingly decadent mass culture has gradually become more ideological and openly opposed to the values western civilization is based upon and while it boasts of being counterculture and independent its acquired a monopoly over almost all the information channels that determine opinions including mainstream media and political partiesour leaders have become sucked into this groupthinking and happily institute policies that unleash shutdowns that may cause the worst recession in history thousands of businesses are closing and longterm prospects are bleakgovernments are stepping in to pay wages and fund other services as tax revenue will be virtually nonexistent public debt will soar some governments may default on their debts or resort to printing money causing soaring inflation these countries may be unable to fund healthcare their police or their military and be so weakened they will be invaded by others and be erased from the world mapthat may be a worstcase scenario but its almost certain that the impact of the shutdowns will be a recession comparable to the great depression yet what do most western citizens make of it well they are either unaware uncaring or theyre happy about it they dont seem to appreciate the consequent dangers instead they are more obsessed with the latest celebrity whos caught the virus the consumers of this mass culture havent built anything like what our ancestors did enlightenment the theory of relativity parliamentary democracy industrialisation major advances in philosophy science literature and engineering they dont have to defend any real values against a tangible enemy because hiding in a herd with uniform groupthink is good enough for them our ancestors had difficult short lives they had to work hard produce enough to survive fight enemies and defend what theyd inherited numerous lasting values emerged from those efforts the current generations of westerners are good only at producing and escalating irrationality and panic if a twomonth lockdown isnt deemed enough to contain the virus theyre happy to extend it to six months if not years china decided to impose strict policies but they were assertive enough to be relatively shortlived many westerners want less perfect policies to last for a much longer time thats clearly an irrational approach instead of flattening a curve rational leaders like beijings try to turn the curve into a cliff the faster you eliminate the virus the cheaper it is\nimmortality as an entitlementthis support for economically suicidal policies didnt start with covid19 westerners have spent recent decades amid a prosperity in which they took material wealth and good healthcare for granted they forgot what hunger and in most cases unemployment meant they got used to demanding ever deeper entitlements such as the right not to be offended activists sensationalised smaller and more implausible threats and demanded that governments mitigated them in particular the climate change movement advocated that the 12 c of warming caused by co2 emissions in a century was equivalent to an armageddon that had to be avoided whatever the costin this context it could be expected that the first real challenge and a new flulike disease is certainly one would make people fearful because if people were led to believe that 12 c of warming was basically the end of the world is it surprising that theyre absolutely terrified of a new disease that has the potential to kill a few million old and sick people the existential threat posed by coronavirus or at least our irrationality towards it is greater than the climate threat though still very small westerners who havent seen any real threats for a long time have developed a condition termed affluenflammation by the american musician remy which is a pathological habit of inflating negligible threats when this inflation of feelings is applied to a real threat namely a pandemic they lose their composure the context of covid19 where every death is presented with horror makes it clear that immortality is just another human right this wisdom says that our leaders are failing because they cannot defend this socalled right but this excessive sensitivity is just one part of the problemmany westerners actively want to harm their economies corporations rich people and governments because they dont feel any attachment to or responsibility for them they take security and prosperity for granted their money and food arrive from somewhere and they dont care about the source and they believe that the structures which allow them to survive the governments banks and so on are evil some are just financially illiterate but others know what they are saying and rejoice in demanding that trillions be sacrificed in order to infinitesimally increase the probability that a 90yearold will avoid infection and live a little bit longer they dont accept their dependence on society and the system at all they dont realise that their moral values their human rights are only available if paid for by prosperous societiesi have used some dramatic prose so let me be clear the scenario ive outlined ending in the suicide of the west is avoidable and i hope and believe it will be i know some who are willing to fight for its survival but even if this acceleration towards shutdowns is reversed and countries restore their previrus businesses our world wont be the same many people will conclude that the crisis was exciting and try to kickstart a repetition the curfew is likely to reduce co2 emissions this year so climate activists may try for similar results in the future terrorists may deploy some new disease which after all is likely to be more effective than any stabbing or bombingits conceivable that the wests brush with mortality will lead people to regain some common sense and survival instincts perhaps several nations going bankrupt will be a wakeup call maybe people will realise that the reaction to the coronavirus was disproportionate but even if that is so im afraid it wont be enough we need to accept that the positive relationship of westerners to the roots of their civilization will be still missing and that this is a virus that poses a much more fundamental existential threat than covid19", + "https://www.rt.com/", + "FAKE", + 0.07896614739680433, + 1336 + ], + [ + "Did U.S. and Chinese researchers collaborate to create a coronavirus that can infect humans? Shocking 2015 Scientific Paper says “YES”", + "as the race for the cure continues in the united states and elsewhere during our current covid19 crisis thousands of people around the world are left with many uncomfortable questions on their mind for instance did this version of the coronavirus come from a labif the idea that the sarscov2 virus grew at the hands of researchers sounds farfetched to you get ready to be surprised published research offers evidence which points to a resounding yes to the question was coronavirus manmadewe at naturalhealth365 would like to extend a special thanks to peter r breggin md for providing context and inspiration for this articleprestigious peerreviewed journal published study results proving that us and chinese researchers conspired to create deadly manmade coronavirus\nfive years ago the respected and peerreviewed scientific journal nature medicine published a paper from a group of us and chinese researchers who explicitly tinkered with a bat coronavirus in order to see if it could infect humansthe researchers succeededthe international team hailed from institutions such as harvard medical school the national center for toxicological research of the food and drug administration the department of cancer immunology and aids of the danafarber cancer institute and none other than the key laboratory of special pathogens and biosafety at the wuhan institute of virology both the united states and chinese governments funded the researchin their paper titled a sarslike cluster of circulating bat coronaviruses shows potential for human emergence the researchers acknowledged that they generated and characterized a virus called shc014cov which at the time was circulating in the chinese horsehoe bat population animal and human cell experiments involving the manmade coronavirus then led to evidence of lung damage and other pathologies their experiments also determined that available sarsbased immunetherapeutic and prophylactic modalities revealed poor efficacy for treatmentin other words these researchers genetically modified and created an animalbased virus that could be infectious to humans and was impervious to exisiting antiviral treatments including vaccines which failed to neutralize and protect from infection eerily similar to the current global pandemicand yetwere supposed believe a paper published in march of this year published in the very same journal which states that genomic investigations of the virus irrefutably show that sarscov2 did not come from a lab and that it is improbable that sarscov2 emerged through laboratory manipulationthe authors of nature medicines march 2020 paper urge people to accept one of two scenarios that more plausibly explain the viruss origin either natural selection and evolution in an animal host before the virus jumped to humans or natural selection and evolution in a human host after the virus jumped from animalswe dont claim to be virologists all we know is that there are too many unknowns right now maybe its time for officials to start being way more transparent about this viruss true originshave researchers succeeded in creating the very pandemic monster they were worried aboutits painfully ironic to think that both the chinese and united states governments funded with taxpayer dollars the laboratory creation of a dangerous and proven deadly pathogen simply for the apparent purpose to prepare for a future emergencethe level of biosafety and biosecurity risk of such meddling is hard to wrap our head around it sounds a bit like fighting fire with fire but makes you wonder who actually is the winner in such a fightperhaps big pharma and friends pushing for mass vaccinationsthe emergence of severe acute respiratory syndrome coronavirus sarscov and middle east respiratory syndrome merscov the authors of the 2015 paper write underscores the threat of crossspecies transmission events leading to outbreaks in humansyet even their own research in addition to earlier research from related governmentfunded studies seemed to downright spook them the authors conclude that scientific review panels may deem similar studies too risky to pursue and that the potential to prepare for and mitigate future outbreaks must be weighed against the risk of creating more dangerous pathogenswere deeply concerned by this revelation and thankful to dr breggin his scrupulous wife ginger and jef akst of the scientist for bringing it to light it begs the question what other sorts of experiments are going on in bsl4 labs like the laboratory in wuhanto what extent are government agencies putting the public at dire risk so much remains to be seen", + "https://www.naturalhealth365.com/", + "FAKE", + 0.05583333333333333, + 714 + ], + [ + "Bill Gates & The Vatican Agenda. Vaccinate 300 Million By 2025. Coronavirus Vaccine & Depopulation", + "the vaccine alliance is planning to vaccinate an additional 300 million children from 2021 to 2025 bill gates and the vatican are linking up on may 14 2020 for pope franciss global education pact with world leaders us military is working to develop coronavirus vaccine print out of list of ingredients in vaccines httpssavinghealthministriescomwpbreakthrough israeli scientists say theyll have a coronavirus vaccine in just weeks opting out of vaccinations should not be an option based on some leading medical expertson tuesday maines voters will be asked in a referendum if its acceptable to allow parents to send their unvaccinated childrenmeasles vaccination becomes mandatory in germanyparents in germany must vaccinate their children against measles or face substantial fines according to a new law that takes effect this monththe controversial new regulation was approved last year after the country recorded more than 500 cases of the diseasegermanys minister of health jens spahn said education about the importance of vaccination was not enoughparents must provide proof of immunisationreligious vaccine exemption bills spark debate across the united states a recent pew research center study found that more than 88 of adults support requiring healthy children to receive vaccines in order to attend school to avoid the potential risk to othershowever ongoing legislative efforts to remove religious exemptions from vaccinations have led to protests by antivaccination advocatesa bill known as sb3668 has been put before the state senate to refrain from vaccinating their children on religious grounds the legislation would additionally remove most medical exemptions for vaccines that are required to attend schoolvirginia bill would add more required vaccines for studentsa bill in virginia could add more required vaccines for studentsright now the virginia department of health requires nine vaccinations however that number could grow to 13the bill would require virginia students to receive every vaccine that the cdc recommends for childrenmaines stricter law on vaccination requirements up for a votewhen maines voters head to the polls in the presidential primaries tuesday they also will cast a vote on an issue many physicians wish had never been politicized a referendum to overturn a new law that would allow unvaccinated children to attend school only if they have received a waiver from a medical professionalthe new law which would take effect in september 2021 aims to boost immunization among schoolage children in a state where just over 5 percent of kindergartners are unvaccinated not only for medical reasons but because of their parents religious or philosophical beliefs that puts maine below the 95 percent threshold that public health officials say is necessary to stop the spread of preventable and sometimes deadly diseases like the measlesmisinformation campaigns have raised fears about the alleged dangers of immunization which extensive research has shown are unwarrantedglobal vaccine coalition unveils ambitious plan to immunize 300 million childrengavi the vaccine alliance has unveiled an ambitious plan to expand the number of doses it helps developing countries purchase aiming to vaccinate an additional 300 million children from 2021 to 2025the genevabased organization revealed to donors it needs 74 billion for its fiveyear period at an event in japan on friday local time to launch its replenishment drivegavi ceo dr seth berkley said several other major global health programs the global polio eradication initiative and the global fund to fight hiv tuberculosis and malaria among them are also undertaking funding drivesvaticans academy for life encourages parents to vaccinate children bill gates reveals his family attends catholic church vatican urged to partner with top population controllers on popes global education pact american economist and population control proponent jeffrey sachs has announced that potential funding partners for pope franciss may 2020 global education pact to create a new humanism include us billionaire philanthropist bill gatesbig pharma spends record millions on lobbying amid pressure to lower drug prices", + "https://www.youtube.com/", + "FAKE", + 0.10549628942486089, + 631 + ], + [ + "Corona Virus 2020: A Global Pandemic?", + "influenza flu is defined as an acute commonly epidemic disease occurring in several forms caused by numerous rapidly mutating viral strains and characterized by respiratory symptoms and general prostration 1 the flu has a major impact on the lungs colds start in the nose and upper respiratory tract vomiting and diarrhea are assigned to yet another viral familycorona viruswe are currently in the grip of a media frenzy and potential public health disaster a new type of corona virus has emerged from a large city in china wuhan and the world is bracing for an impact of a major epidemic we have been here before however we have already experienced mers middle east respiratory syndrome and sars severe acute respiratory syndrome along with the same specter of massive numbers of deaths corona viruses are thought to be generally mild and not very virulent this type of virus is found very commonly in animals some now believe that the virus for mers sars and now the wuhan virus has somehow unnaturally been transmitted to humans and humans have now become another vector for this infectionwestern medicine louis pasteur and antoine béchampwe have developed western medicine primarily by following the teaching of french chemist louis pasteur 18221895 and the germ theory of disease pasteur believed that diseases were caused by outside pathogens invading the body antoine béchamp a pasteur contemporary disagreed he believed that it was that the condition of the body the terrain was the source of illness a healthy body is dependent upon its acidbase balance its charge the amount of toxicity and its nutritional status only tissue that is already diseased can harbor organisms that become pathogenic we are starting to appreciate our complicated relationships with the microbial world as we have begun to explore the wonderful world of our microbiomes this disease theories of pasteur have led us to the doctrines of virology and immunology this evolution began before we learned anything about vitamins trace minerals and other nutrients 2\nvaccinatewestern medicine is now leaving the world of antibiotics antibiotics are failing and have served to create more pathogens that are resistant to antibiotic treatments western medicine is now embracing vaccination and why not there are untold numbers of microbes and 78 billion people on earth to experiment upon pharmaceutical companies have more and more vaccines in their pipelines all they must do is to convince us and our governments that their vaccines are the only thing that saves us from vast epidemics severe illness and probably death and not a surprise the corona virus has already been patented even at best this seasons flu vaccines have already proven to be 70 ineffective the promise of herd immunity does not hold up with vaccinated populations\nnine months to a corona vaccineon january 23 2020 the company moderna inc announced that it is partnering with the us national institutes of health 4 to develop a vaccine to prevent infection by the corona virus within the next 9 months they promise new technology to address this lifethreatening epidemic sound good it might be if vaccinations worked it might be if organisms didnt rapidly mutate to new forms as they pass through their vectors it might be if vaccines didnt also depend on heavy metals to aggravate the immune system it might be if animal and human dna from the viral growth medium werent injected into the body without any clue for the longterm consequences vaccines do not work how is the flu deadlymost of us have experienced the respiratory illness that is characterized as the flu at some point in our lives temperatures rise as it is part of the bodys natural defense mechanism but not always there are aches and pains and general malaise and coughing most of us take to our beds until we feel better however some days after the viral assault pneumonia inflammation of the lungs caused by bacteria can set in this infection can become life threatening as it spreads and organ systems become compromised if someone is already struggling with organ system problems lets say with cardiovascular disease diabetes or renal issues this can become the tipping point the infection can lead to sepsis a systemic inflammatory response shutting down organ systems leading to death even in young healthy people this response also called a cytokine storm can overwhelm the bodyback to antoine béchampthis is the other option we can choose to help our bodys terrain remain in its healthy state and if we get sick we can choose to return our body to that healthy state rather than embrace warfare on our microbial world and be left with the consequences of the friendly fire the rest of this article will focus on staying well and getting well despite a flu epidemic admittedly it is getting to be more and more difficult our water our air and our food have become compromised like never before in human historybasic and free or almost wash your hands we cant live our lives and avoid contact with other people however we can minimize the challenges to our immune system by frequently washing your hands after the sars outbreak in 2003 a toronto epidemiologist related that the installation of numerous handwashing stations and maintaining sanitary protocols stopped the spread of sars in its tracksplain soap and water will do you can find alcohol and chemical wipes everywhere but this is not the best choice as these chemicals strip your skin of their natural oils which also protect you its better to use wipes that have been infused with essential oils essential oils have power antiviral activities and can be inhaled and infused using a diffuser in public spaces such as schools could cut down viral transmission this reference holds a long list of the most effective essential oils and herbal remediesthe socalled flu season it has been my observation that those patients receiving a vitamin d injection in the fall have never had a substantial cold or flu during the winter interestingly the dose of a single injection is 400000 iu international units while that seems a substantial dose after administering many thousands of injections i have never seen an example of the vitamin d levels climbing too high as a matter of fact some individuals are so depleted at the intracellular level that they might need 2 or 3 injections over the winter months to preserve optimal levels of vitamin d dr dale guyer indianapolis posting in facebook vitamin d is a primary tool for preventing infection of all kinds the flu season coincides with the greatest lack of sunshine and the opportunity to create vitamin d in the skin it is easily supplemented optimal levels should be 7080 ngml supplementing vitamin d can be preventative high doses can be used to treat an acute incidence of the flu linus pauling and vitamin clinus paulings claim to fame was to make vitamin c a household word he extolled the virtues of vitamin for prevention and treatment for colds and the flu vitamin c can be used in smaller doses as prevention and ramped up to bowel tolerance for treatment in severe cases a physician may offer even higher doses in an iv treatment to speed recovery from the flu using vitamin c in a phospholipid delivery system can also provide higher and effective doses hydrocortisonedr william jefferies spent his entire career studying hydrocortisone or cortisol in his 80s he made an interesting discovery after deliberately infecting some volunteer students he discovered that the virus inhibited the pituitary hormone acth which is responsible for the adrenal production of hydrocortisone that feeling of malaise and the aches and pains and headaches that come with the flu are quickly eradicated by using supplemental hydrocortisone practitioners can provide the drug cortef to be used orally however hydrocortisone 1 cream can be found in drug stores and applied to the skin to prevent the flu establish that there are no underlying hydrocortisone deficiencies practitioners rely on an adrenal stress index saliva test or morning cortisol in the serum to identify problems dr jefferies used maintenance doses such as 5 mg of hydrocortisone every 6 hours in the case of an acute flu larger doses should be used immediately and relief is rapidozoneantibiotics are starting to fail as mentioned above but we really dont have to worry much despite the dire prognostications ozone a gas which is a very reactive form of oxygen can treat any infection ozone treated water can be used in hand washing and cleaning surfaces ozonated oils such as olive oil can be gargled if there is a sore throat you can use ozone in your ears vaginally or rectally for a full body treatment you can also ozonate your bath water a practitioner can help you with intravenous options if a serious infection has persisted the american association of ozone therapy is a great resource to learn about ozone\nto be continuedwe are just scratching the surface so far on all the methods we may use to deter getting an infection and what steps we can take to treat an infection humanity has survived on the earth for millions of years there are multiple modalities both conventional and traditional that can strengthen the immune system and help prevent infections we can open the door to rediscover and identify our rich histories of healing modalities we have choices we dont have to rely only on hastily devised unproven and untested therapies alonedont forget to read the companion article httpsworldhealthnetnews2020coronavirusreportthe full project can been viewed at httpswwwdrklatzorgcoronavirussolutionarticle courtesy of carol petersen rph cnpcarol petersen is an accomplished compounding pharmacist with decades of experience helping patients improve their quality of life through bioidentical hormone replacement therapy with womens international pharmacy she graduated from the university of wisconsin school of pharmacy and is a certified nutritional practitioner her passion to optimize health and commitment to compounding is evident in her involvement with organizations including the international college of integrated medicine and the american college of apothecaries she was also the founder and first chair for the compounding special interest group with the american pharmacists association and cohosts the radio program take charge of your health", + "https://www.worldhealth.net/", + "FAKE", + 0.15739204410846205, + 1703 + ], + [ + "Alcohol ban", + "amid covid19 global pandemic texas governor to stop all alcohol sales beginning friday april 3rd other locations with similar announcements of alcohol bans included scotland new york maryland indiana and new jersey", + "https://prankmania.com/", + "FAKE", + 0.024621212121212117, + 32 + ], + [ + "SOONER OR LATER, AMERICANS WILL HAVE TO CHOOSE BETWEEN FREEDOM OR A VACCINE WITH A MICROCHIP", + "n order to return to normality a possible requirement besides social distancing will be mandatory participation in a global vaccination programme underwritten by the bill and melinda gates foundation the big pharma and many other supposed philanthropists efforts to introduce a vaccine containing nanotechnology to mark and keep those injected under surveillance received a big boost with bill gates at its head", + "https://es.news-front.info/", + "FAKE", + 0.058333333333333334, + 62 + ], + [ + "The Dengvaxia Disaster Was Twenty Years in the Making—What Will Happen With a Rushed COVID-19 Vaccine?", + "for several weeks dr anthony fauci and bill gates have been beating the drum about a covid19 vaccine seeking to keep the worlds coronavirus optics focused on a medical intervention that gates acknowledges to be risky enough to require indemnification against lawsuits the two are casting a covid19 vaccinewhich they speculate could be ready in as little as 18 monthsas the passport for a return to normalcy the two opinion leaders gambit seems to be backfiring among people savvy enough to understand that faucis and gates organizations pocketbooks and agendas are driving the rush for an indemnified vaccine other americans may be too distracted by the historically unprecedented lockdown however to think through the safety issues raised by a potential covid19 vaccine the philippines mass dengue vaccination programimplemented with undue hastenot only killed children but provoked protests criminal investigations indictments revocation of the vaccines license in that country and a plummeting of parental confidence in vaccine safety from 82 to 21\namericans would be well advised to revisit a virusandvaccine cautionary tale that briefly captured frontpage attention a year ago in april 2019 the us food and drug administration fda approved sanofi pasteurs dengvaxia vaccine joining 19 other countries in granting regulatory approval to the worlds first dengue vaccine the fda gave its green light not long after the philippinesthe first country to roll out the vaccine widelywitnessed hundreds of distressing hospitalizations and deaths in 916 yearolds representing a clear safety signaldengvaxias fallout was so dramatic that it even overrode the us medias customary whiteout of vaccine safety problems as summarized by national public radio npr the philippines mass dengue vaccination programimplemented with undue hastenot only killed children but provoked protests criminal investigations indictments revocation of the vaccines license in that country and a plummeting of parental confidence in vaccine safety from 82 to 21in some individuals subsequent infection with a different dengue virus can increase the risk of severe outcomesa phenomenon known as disease enhancementviral vaccines and disease enhancement given that an estimated 40 of the worlds population is at risk of mosquitoborne dengue infection it is not surprising that the vaccine industry has had a dengue vaccine on its list for decades there are four types of dengue virus that can trigger infection albeit with a highly variable trajectory that ranges from asymptomatic infection or mild and nonspecific febrile illness together representing about 75 of cases to classic dengue fever and in an occasional subset more severe outcomes such as plasma leakage bleeding shock or death in children experts believe the majority of dengue infections are subclinical researchers note that environmental and host immune factors play a significant role in shaping both susceptibility and outcomesnatural infection with one type of dengue virus provides longlasting protection against the same type but only shortterm protection against the other three varieties the vexing result is that in some individuals subsequent infection with a different dengue virus can increase the risk of severe outcomesa phenomenon known as disease enhancement in a 2018 review researchers listed reports of enhanced illness resulting from influenza respiratory syncytial virus rsv zika west nile virus dengue and coronavirusand emphasized that either infection or vaccination could produce this responsein 2018 the whos global advisory committee on vaccine safety reviewed some of the deaths associated with dengvaxia but stated that it could not determine whether the vaccine was causally related to the vaccinerelated immune enhancement this disingenuous conclusion flies in the face of decades of evidence showing some viral vaccines to be capable of subverting the immune system and provoking exacerbated illness it is doubtful that who or sanofi are unaware of this phenomenon which numerous publications acknowledge as a major obstacle for the development of safe dengue and other viral vaccines after the problems in the philippines however sanofis global medical director asserted that in hindsight sanofi wouldnt do anything differentlya dengue expert who develops vaccines for the us military issued warnings about dengvaxias risks ahead of timevainly cautioning that vaccinating 916 yearolds who were seronegative or denguenaive at baseline that is had never before been exposed to dengue was likely to significantly augment their lifetime risk of severe disease when later exposed to dengue about 21 of vaccinees were seronegative why did this industry insiderwho has been a paid dengue vaccine consultant to takeda merck sanofi pasteur and smithklinebeechamvoice these concerns and condemn international health institutions for unethical unscientific and contorted explanations that failed to identify breakthrough dengue disease in vaccinated subjects as serious adverse events as he pointed out in numerous letters and articles the potential for vaccineenhanced dengue disease was readily apparent in dengvaxias clinical trials but both sanofi and who chose to ignore the evidencebelatedlya year and a half after the launch of the philippines disastrous vaccination campaignsanofi announced that new information was prompting the company to declare that vaccination should not be recommended for seronegative individuals of any age repackaging dengvaxia as a vaccine solely for individuals who have had at least one laboratoryconfirmed bout of dengue is easier said than done however because many mild dengue infections go undiagnosed and undocumentedthe dengue vaccine pipeline sanofi reluctantly revised its recommendation to provide dengvaxia only to individuals with evidence of past infection which leaves a substantial unmet need that other dengue vaccine developers appear only too eager to exploit although sanofis formulationwhich took two decades and two billion dollars to developis the first dengue vaccine ever to make it out of the pipeline and into the marketplace two other vaccines tak003 and butantandv are currently undergoing latestage clinical trials in asialatin america and brazil respectivelydengue vaccine development has been marked by strong forprofit industry involvement in addition there has been wide participation and coownership by us government institutions in dengue vaccine research and development even though dengue disease poses little threat on the us mainland with dengueendemic areas limited to puerto rico and a few offshore territories and protectorates hhsthe umbrella agency for the national institutes of health nih faucis national institute of allergy and infectious diseases niaid the cdc and the fdaowns 65 denguevaccinerelated patents dwarfing the 19 owned by sanofi and the 12 and 4 owned by glaxosmithkline and merck respectively all of the private companies involved in dengue vaccine development share patents with us government agencies meanwhile very few patent applications have been filed in developing countriescdc scientists designed and constructed the tak003 vaccine and then licensed it to japans takeda pharmaceutical company asias largest pharmaceutical conglomerate however preliminary analyses of the clinical trial results suggest that tak003 may suffer from similar problems as dengvaxia providing unbalanced protection among the four types of dengue that could increase the risk of severe disease after exposure to a second type of the virus takeda plans to apply for approval in dengueendemic countries anywaysome experts are placing their bets on the third finalist butantandv developed by none other than niaid niaid has sponsored butantandv clinical trials in brazil since 2013 licensing its vaccine technology to brazils butantan institute and launching the most recent trials in 2016 not content to lurk in the background nih and niaid have taken pains to call attention to their role in the vaccines development publications presenting clinical trial results have titles referring to the national institute of allergy and infectious diseases tetravalent dengue vaccine and the national institutes of health dengue vaccine in studies published to date investigators only monitored adverse reactions for 21 daysmosquito versus needlethe dengvaxia experienceinvolving a skewed immune response and enhanced risksraises questions applicable to all dengue vaccine candidates and a number of other viral vaccines one notoftendiscussed consideration pertains to the considerable differences between a wildtype dengue virus delivered by a mosquito versus needle administration of a vaccine which have the potential to elicit different immune responses instead of acknowledging these vaccines potentially unconquerable risks why not focus on training health care workers in the provision of the supportive care known to be very effective when delivered by experienced practitioners even in severe cases of dengue characterized by vascular permeability and fluid loss practitioners who accurately and rapidly replace fluids can stabilize patients conditionand rather quicklywith the result that the vascular permeability phenomenon abruptly disappears in addition fruitful avenues of research could include studying the environmental and immune system factors associated with the minority of cases that involve more severe dengue outcomeswith vaccine damage occurring in association with many different vaccines it is unclear why so many individuals and organizations jumped on the antidengvaxia bandwagon last year butwith a rushed covid19 vaccine in the workstheir words of warning are worth heeding as npr noted the debacle in the philippines offers a key lesson for governments and manufacturers when it comes to approving and selling new vaccines slow down the dengue expert who presciently warned about dengvaxias dangers put it this waydengvaxiaenhanced disease has created a major ethical dilemma for the vaccine community an enduring public health management crisis and legal nightmare vaccines should not harm recipients directly or indirectly who and the manufacturer owe the customer a safe product", + "https://childrenshealthdefense.org/", + "FAKE", + 0.039151903185516625, + 1505 + ], + [ + "Is coronavirus a manufactured bioweapon that Chinese spies stole from Canada?", + "in 2019 a mysterious shipment sent from canada to china was found to contain hidden coronavirus which chinese agents working at a canadian laboratory reportedly stole obviously without permissionreports reveal that these chinese agents were working undercover for the chinese biological warfare program and may have infiltrated north america for the sole purpose of hijacking this deadly virus in order to unleash it at a later datethat unleashing could be the coronavirus outbreak thats currently dominating media headlines with as many as 44000 people now infected despite blame being assigned to contaminated food sold at the huanan seafood market in wuhan china and heres whyit was back on june 13 2012 when a 60yearold man from saudi arabia was admitted to a private hospital in jeddah with a sevenday affliction of fever cough expectoration and shortness of breath the man had no known history of cardiopulmonary or renal disease was on no medications and didnt smoke and tests revealed that he had become infected with a previously unknown strain of coronavirushowever tests could not reveal where the man had contracted coronavirus so dr ali mohamed zaki the egyptian virologist who was caring for the man contacted ron fouchier a premier virologist at the erasmus medical center emc in rotterdam the netherlands for advicefouchier proceeded to sequence a sample of the virus sent to him by dr zaki using a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to distinguish it from other strains of coronavirus he then sent it to dr frank plummer the scientific director of canadas national microbiology laboratory nml in winnipeg on may 4 2013 where it was replicated for assessment and diagnostic purposesscientists in winnipeg proceeded to test this strain of coronavirus on animals to see which species could catch it this research was done in conjunction with the canadian food inspection agencys national lab as well as with the national centre for foreign animal diseases which is in the same complex as the national microbiology laboratory nmlnml its important to note has long conducted tests with coronavirus having isolated and provided the first genome sequence of the sars coronavirus this lab had also identified another type of coronavirus known as nl63 back in 2004formerly respected scientist allowed multiple deadly viruses besides coronavirus to be shipped to china fastforward to today and the recent discovery of the mystery shipment containing coronavirus can be traced all the way back to these samples that were sent to canada for analysis suggesting that the current coronavirus outbreak was likely stolen as a bioweapon to be released for just such a time as thisaccording to reports the shipment occurred back in march of 2019 which caused a major scandal with biowarfare experts who questioned why canada was purportedly sending lethal viruses to china it was later discovered in july that chinese virologists had stolen it and were forcibly dispatched as a result\nthe nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etc explains a report by great game india as republished by zero hedgethe nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu it goes on to explain adding that qiu had served as head of the vaccine development and antiviral therapies section of the special pathogens program at canadas nmla formerly respected scientist in china qiu began studying powerful viruses in 2006 in 2014 many of these viruses she studied including not only coronavirus but also machupo junin rift valley fever crimeancongo hemorrhagic fever and hendra all suddenly appeared in china as part of a massive hijackingbe sure to read the full report at zerohedgecomyou can also keep up with the latest coronavirus news by visiting outbreaknews", + "http://www.biased.news", + "FAKE", + 0.058711080586080586, + 649 + ], + [ + "COVID-19 is caused by 5G", + "the covid19 pandemic was caused by the emergence of 5g technology viruses dont really cause disease but are debris released by poisoned cells", + "YouTube", + "FAKE", + 0.2, + 23 + ], + [ + "New Zealand becoming police state: Covid-19 lockdown to be taken seriously, but reporting neighbors & abuse of power goes too far", + "new zealand the land of the long white cloud has evolved into a police state overnight amid the fallout of covid19 with people now being encouraged to dob in fellow kiwis who flout lockdown ruleswhile slow to apprehend covid19 initially and taking nonsensical measures such as banning travel from iran while allowing travel from italy unabated the new zealand government quickly changed tack and announced it was implementing a fourtier threat level to deal with the virus it wasnt long after this that the government gave new zealanders a twoday period for everyone to tie up loose ends and prepare for what is essentially a nationwide lockdown threat level four which will continue for at least four weeksas part of this a state of emergency was declared last week which saw the powersthatbe activate emergency legislation this current state of affairs enables new zealands national emergency management agency nema to close or restrict access to roads or public places regulate land water and air traffic and even evacuate and enter peoples premises among other measures the new zealand police are responsible for maintaining law and order during the state of emergency and have been given special powers to order any person to stop any activity that contributes to the emergency as of today the state of emergency has been extended by another seven daysso what i hear you ask the covid19 crisis is an unprecedented situation which can lead to immense death and suffering and has already begun undertaking that course of action in italy iran spain and even in the us calling new zealands response a descent into a police state is nothing more than a conspiracy theory aimed at fueling and sparking more panic in an already panicdriven environmentwell perhaps you might want to tell that victoria universitys associate law professor dean knight who said that with so much discretionary power there is a very real risk that the discretion could be used in an arbitrary and discriminatory manner or how about university of otago law professor andrew geddis who has questioned the current state of affairs in two separate opeds warning that police can use extreme and unprecedented powers to constrain basic freedoms of movement guaranteed by the new zealand bill of rights actwe could say the same of radio new zealand contributor catriona maclenna who penned an open letter to the countrys police with the aim of making it crystal clear that new zealand is a democracy not a police statewe might also want to tell that to journalist damian christie christie was in the process of delivering video equipment to a clients business with a letter firmly in hand to prove that what he was doing was regarded as being part of an essential service his client being a large food producer despite producing this letter and having no discernible legal obligation to do so a police officer who stopped him began to yell at him and flatout ignored the letter even though we had been told that if we provide such a letter we wont experience any issues according to the officer however christie should only have left his house to buy medical suppliesthis is clearly untrue and as professor geddis notes in his columns has created much confusion about what we can and cant do under the lockdown rules i agree with geddis that if there has been an instruction given to the police to apply these powers then we need to see those instructionson top of all of this the government saw fit in the most orwellian way possible to set up an online mechanism for locals to dob in other fellow kiwis who were flouting the lockdown rules within an hour of it being launched overzealous new zealanders crashed the website with over 4200 reports lodged police have also arrested a number of people for breaching the lockdown rules i expect this number to climb somewhat over the next three weeksi dont know how comfortable i am with a website where people can dob in other people without requiring any demonstrable evidence i am also concerned as to what this precedent could achieve in the future perhaps the next lockdown wont be because of covid19 but because of a different situation entirely what if the next website is set up to dob in not flouters of the lockdown but say political dissidentswe are always naive in thinking that this type of activity can never occur in new zealand even when the government communications security bureau gcsb has been found to have spied on targets illegally or that time the snowden papers revealed that the gcsb was spying on the entire pacific on a mass scale without the knowledge of its neighbors how quickly new zealanders seem to forget these facts or perhaps simply turn a blind eye to them from the outsetthe emergence of new zealands police state apparatus comes at an interesting time the court of appeal just ruled last week that new zealanders have no constitutional right to bear arms following a failed legal challenge by the kiwi party while denying that right the government has been quietly rolling out an extensive armed police patrol trial which saw units deployed 75 times a day in their first five weeks what on earth forlook i get it i take the covid19 crisis as seriously as the next person and for that matter the overarching principles of the lockdown requirements but that doesnt mean we shouldnt question power and the abuse of that power even during a national and global state of emergencyas benjamin franklins old adage goes those who would give up essential liberty to purchase a little temporary safety deserve neither liberty nor safety and theyll probably end up losing both", + "https://www.rt.com/", + "FAKE", + 0.061373900824450295, + 962 + ], + [ + "SPECIAL REPORT: Mike Adams joins Alex Jones to reveal how coronavirus is an engineered weapon to destroy the Western world", + "today i joined alex jones in the infowars studios to record a bombshell special report its entitled emergency report coronavirus is an engineered weapon for the global takedown of the western worldyou can watch it via this link at bannedvideo or see the video embed below also available soon via brighteoncomthe completely unscripted video is about one hour in duration and delves into the globalist origins of the engineered coronavirus and how open borders policies and malicious negligence by the cdc are converging to create millions of infections and deaths in america as part of a globalist plot to destroy trump and defeat americaalex opens the special report with a 19minute introduction that gives the big picture view of whats happening he then invites me on to explore issues likecoronavirus pandemic projections for americathe sxsw cancellation and why its part of a psyop to spread fear on top of the legitimate concerns over the virus spreadwhy president trump is making an enormous mistake in trusting cdc nih and fda advisorshow president trump could stop this virus in its tracks and save americathe china invasion scenario and why chinas military will be the first in the world thats immune to the coronavirushow hillary clinton becomes president after trump resigns under pressure following millions of deaths in america one possible scenario we pray doesnt happenhow trump can protect americas economy and prevent mass deaths by promoting antiviral herbs minerals and nutraceuticals that are available now and can substantially boost immune function across the population at largewhy big pharma is currently in control of washington dc and is exploiting this pandemic to rake in billions for the drug and vaccine industrieswhy globalist open borders policies were put in place before this biological weapon was released onto the world making sure infected migrants carry the virus into western europe and the usahow this pandemic achieves all the goals of the globalists depopulation gun control censorship martial law mandatory vaccines destroying americaending trump and much more its the ultimate combo weapon system to attack the western world and enslave humanity", + "http://www.biased.news", + "FAKE", + 0.11016483516483515, + 345 + ], + [ + "The coronavirus, a weapon that has fallen from the sky for the United States in its fight against China?", + "the coronavirus is making headlines the lies are multiplying the rejection of the chinese is increasing and china denounces the united states for causing global panicsince january 31 the same topic has been spoken in all corners of the world coronavirus a virulent virus that was unleashed in an animal market in the city of wuhan in central china which has expanded by different countries in europe asia and america and which has so far claimed the lives of hundreds of peoplethe number of people infected with the coronavirus is not the only thing that has been increasing also the lies and the xenophobic wave against the chinese or against anyone with asian features there have been so many discriminatory episodes around the world that there is already talk of chinophobia and chinese citizens themselves have launched a campaign on social networks titled i am not a viruslies have prevailed and have left no room for truth an example of this has been the video that went viral on social networks where a young woman is seen taking bat soupthese images unleashed a wave of accusations against the chinese for allegedly causing this epidemic and putting the health of the world population at risk for having strange and bad health and eating habitswhat did not go viral was the statement from the protagonist of that video influencer wang mengyum who clarified that this video had been recorded 3 years ago in palau that is outside of china and in a restaurant he also pointed out that the bat soup was not eaten in an openair market like wuhans but in a restaurant and it is that the ingestion of strange animals is more a custom of the tourist who visits asia than of its own inhabitantsa bat chinese blogger apologizes for eating and encouraging bat consumptionadded to the terror of social networks was the decision of the us government to prohibit the entry of any citizen who has passed through china during the past two weekschina immediately responded and denounced that the united states is creating panic among the world population instead of offering aid and that this decision contravenes the recommendations of the world health organization which insisted on not imposing restrictions on movement but what interest would the united states have in causing a global panic at the moment no one knows what is certain is that thanks to this virus the donald trump government could stop the asian giant due to the important influence it has on the international board for its technological development and the growth of its military capacity\nthe escalation of tensions trade war the first major blow of the trump administration against the chinese economy was in march 2018 when the application of milliondollar tariffs to chinese products that entered its territory began trump justified this move because of beijings alleged unfair business practices president xi jinping was quick to respond and took similar steps with american products sparking what some analysts called a trade war\nblockade of huawei in may 2019 the us prohibited american companies from negotiating and providing technology to huawei chinas leading telecommunications company for this reason the new huawei phones could not use applications such as gmail play store google maps among others and it was not the first blow against the chinese technological giant just 5 months earlier the us had ordered canada to arrest the vice president of huawei who is the daughter of the creator of this company for the alleged violation of us sanctions against iran\nhong kong protests on march 15 2019 thousands of protesters in hong kong take to the streets to demand an extradition bill from china although the bill was withdrawn the pressure from the street rose more and more to claim its independence its separation from china xi jinpings government accused the usand other foreign powers to foment the demonstrations the us government never hid its position in late november president trump enacted the human rights and democracy law in support of protesters protesting for democracy in hong kong protesters who were portrayed as peaceful but who also caused serious assaults against people who did not support their cause the chinese foreign ministry denounced that the trump law in support of the protesters is extremely abominable and harbors absolutely sinister intentions5g and siberia power as relations with the us were increasingly strained china moved its chips on october 31 it launches the 5g system surpassing the united states and a few days later it inaugurates a megagas pipeline with russia that will allow supplying this fossil fuel to northern china from siberia in addition it will get russia to circumvent the sanctions that the us imposed on europe and place its main export resource on the asian giant\nnato the response was immediate the united states and the member countries of the north atlantic alliance took advantage of the organizations 70th anniversary meeting to put china in their sights and label it as a challenge that they had to face as an alliance\nneither with the tariff commercial nor technological war did the us manage to destroy the asian giant curiously it was a virus that achieved the greatest desire of the united states to isolate china inevitable not to remember the years in which the united states inoculated venereal diseases against 696 guatemalans during 1946 and 1948 or as when the cia deployed operation mongoose against cuba to introduce various types of viruses in its sugarcane areas tobacco fields and pig farms all with the objective of affecting the cuban revolution", + "https://mundo.sputniknews.com/", + "FAKE", + 0.03586192613970391, + 933 + ], + [ + "Pentagon study: Flu shot raises risk of coronavirus by 36% (and other supporting studies)", + "on march 12th 2020 anderson cooper and dr sanjay gupta held a global town hall on corona facts and fears during the discussion anderson said to the viewing audience and again if you are concerned about coronavirus and you havent gotten a flu shotyou should get a flu shotsetting safety and efficacy of influenza vaccination aside is andersons claim that the flu shot will help people fight covid19 remotely true the short answer is noin fact the results of many peerreviewed published studies prove that andersons recommendation may have been the worst advice he could have given the publicin searching the literature the only study we have been able to find assessing flu shots and coronavirus is a 2020 us pentagon study that found that the flu shot increases the risks from coronavirus by 36 receiving influenza vaccination may increase the risk of other respiratory viruses a phenomenon known as virus interferencevaccine derived virus interference was significantly associated with coronavirus here are the findings2020 pentagon study flu vaccines increase risk of coronavirus by 36 examining noninfluenza viruses specifically the odds of coronavirus in vaccinated individuals were significantly higher when compared to unvaccinated individuals with an odds ratio association between an exposure and an outcome of 136 in other words the vaccinated were 36 more likely to get coronavirusmany other studies suggest the increased risk of viral respiratory infections from the flu shot2018 cdc study flu shots increase risk of nonflu acute respiratory illnesses ari in childrenthis cdc supported study concluded an increased risk of acute respiratory illness ari among children 18 years caused by noninfluenza respiratory pathogens postinfluenza vaccination compared to unvaccinated children during the same period2011 australian study flu shot doubled risk of noninfluenza viral infections and increased flu risk by 73 a prospective casecontrol study in healthy young australian children found that seasonal flu shots doubled their risk of illness from noninfluenza virus infections overall the vaccine increased the risk of virusassociated acute respiratory illness including influenza by 732012 hong kong study flu shots increased the risk of nonflu respiratory infections 44 times and tripled flu infections a randomized placebocontrolled trial in hong kong children found that flu shots increased the risk of noninfluenza viral aris fivefold or 491ci 104 814 and including influenza tripled the overall viral ari risk or 317 ci 104 9832017 study vaccinated children are 59 more likely to suffer pneumonia and 301 times more likely to have been diagnosed with allergic rhinitis than unvaccinated children vaccinated children were 301 times more likely to have been diagnosed with allergic rhinitis and 59 times more likely to have been diagnosed with pneumonia than unvaccinated children2014 study influenzavaccinated children were 16 times more likely than unvaccinated children to have a noninfluenza influenzalikeillness ili even more published science the wellrespected cochrane collaborations comprehensive 2010 metaanalysis of published influenza vaccine studies found that the influenza vaccination has no effect on hospitalization and that there is no evidence that vaccines prevent viral transmission or complicationsthe cochrane researchers concluded that the scientific evidence seems to discourage the utilization of vaccination against influenza in healthy adults as a routine public health measurein their metaanalysis the cochrane researchers accused the cdc of deliberately misrepresenting the science in order to support their universal influenza vaccination recommendation nevertheless cnn and other mainstream media outlets continually broadcast cdc pronouncements as gospel and ironically ridicules those of us who actually read the science as purveyors of vaccine misinformation", + "https://www.sott.net/", + "FAKE", + 0.171875, + 572 + ], + [ + "Fauci knew about HCQ in 2005 -- nobody needed to die", + "dr anthony fauci whose expert advice to president trump has resulted in the complete shutdown of the greatest economic engine in world history has known since 2005 that chloroquine is an effective inhibitor of coronaviruseshow did he know this because of research done by the national institutes of health of which he is the director in connection with the sars outbreak caused by a coronavirus dubbed sars cov the nih researched chloroquine and concluded that it was effective at stopping the sars coronavirus in its tracks the covid19 bug is likewise a coronavirus labeled sarscov2 while not exactly the same virus as sarscov1 it is genetically related to it and shares 79 of its genome as the name sarscov2 implies they both use the same host cell receptor which is what viruses use to gain entry to the cell and infect the victimthe virology journal the official publication of dr faucis national institutes of health published what is now a blockbuster article on august 22 2005 under the heading get ready for this chloroquine is a potent inhibitor of sars coronavirus infection and spread emphasis mine throughout write the researchers we reportthat chloroquine has strong antiviral effects on sarscov infection of primate cells these inhibitory effects are observed when the cells are treated with the drug either before or after exposure to the virus suggesting both prophylactic and therapeutic advantagethis means of course that dr fauci pictured at right has known for 15 years that chloroquine and its even milder derivative hydroxychloroquine hcq will not only treat a current case of coronavirus therapeutic but prevent future cases prophylactic so hcq functions as both a cure and a vaccine in other words its a wonder drug for coronavirus said dr faucis nih in 2005 concentrations of 10 μm completely abolished sarscov infection faucis researchers add chloroquine can effectively reduce the establishment of infection and spread of sarscovdr didier raoult the anthony fauci of france had such spectacular success using hcq to treat victims of sarscov2 that he said way back on february 25 that its game over for coronavirushe and a team of researchers reported that the use of hcq administered with both azithromycin and zinc cured 79 of 80 patients with only rare and minor adverse events in conclusion these researchers write we confirm the efficacy of hydroxychloroquine associated with azithromycin in the treatment of covid19 and its potential effectiveness in the early impairment of contagiousnessthe highlypublicized va study that purported to show hcq was ineffective showed nothing of the sort hcq wasnt administered until the patients were virtually on their deathbeds when research indicates it should be prescribed as soon as symptoms are apparent plus hcq was administered without azithromycin and zinc which form the cocktail that makes it supremely effective atrisk individuals need to receive the hcq cocktail at the first sign of symptoms\nbut governor andrew cuomo banned the use of hcq in the entire state of new york on march 6 the democrat governors of nevada and michigan soon followed suit and by march 28 the whole country was under incarcerationinplace fatwasnothing happened with regard to the use of hcq in the us until march 20 when president trump put his foot down and insisted that the fda consider authorizing hcq for offlabel use to treat sarscov2on march 23 dr vladimir zelenko reported that he had treated around 500 coronavirus patients with hcq and had seen an astonishing 100 success rate thats not the anecdotal evidence dr fauci sneers at but actual results with real patients in clinical settingssince last thursday my team has treated approximately 350 patients in kiryas joel and another 150 patients in other areas of new york with the above regimen of this group and the information provided to me by affiliated medical teams we have had zero deaths zero hospitalizations and zero intubations in addition i have not heard of any negative side effects other than approximately 10 of patients with temporary nausea and diarrheasaid dr zelenkoif you scale this nationally the economy will rebound much quicker the country will open again and let me tell you a very important point this treatment costs about 20 thats very important because you can scale that nationally if every treatment costs 20000 thats not so goodall im doing is repurposing old available drugs which we know their safety profiles and using them in a unique combination in an outpatient settingthe questions are disturbing to a spectacular degree if dr fauci has known since 2005 of the effectiveness of hcq why hasnt it been administered immediately after people show symptoms as dr zelenko has done maybe then nobody would have died and nobody would have been incarcerated in place except the sick which is who a quarantine is for in the first place to paraphrase jesus its not the symptomfree who need hcq but the sick and they need it at the first sign of symptomswhile the regressive health care establishment wants the hcq cocktail to only be administered late in the course of the infection from a medical standpoint this is stupid said one doctor as a physician this baffles me i cant think of a single infectious condition bacterial fungal or viral where the best medical treatment is to delay the use of an antibacterial antifungal or antiviral until the infection is far advancedso why has dr fauci minimized and dismissed hcq at every turn instead of pushing this thing from jump street he didnt even launch clinical trials of hcq until april 9 by which time 33000 people had diedthis may be why chloroquine a relatively safe effective and cheap drug used for treating many human diseasesis effective in inhibiting the infection and spread of sars cov thats the problem it is safe inexpensive and it works in other words theres nothing sexy or avantgarde about hcq its been around since 1934given human nature its possible even likely that those who are chasing the unicorn of a coronavirus vaccine are doing so for reasons other than human health i cant see into anybodys heart and cant presume to know their motives but on the other hand human nature recognizes that theres no glory in pushing hcq and nobody is going to get anything named for him in the history books the polio vaccine was developed by jonas salk in 1954 and it is still known as the salk vaccine there will be no fauci vaccine if hcq is the answer to the problemso while dr fauci is tuttutting and poohpoohing hcq dr raoult and dr zelensky are out there saving lives at 20 a pop maybe we should spend more time listening to them than the wizardsofsmart bureaucrats the talking snake media fawns overdr fauci is regarded by the talking snake media as the oracle at delphi the entire nation hangs on his every word but if nobody is dying and nobody is locked down his 15 minutes of fame fades to zero very few people are not going to be influenced by that prospect especially when its easy to keep the attention of the public by continuing to feed the panicit should not be overlooked that there is no money in hcq for big pharma since hcq is a generic that can be manufactured so cheaply there is little profit margin in it on the other hand the payday for a vaccine will literally be offthecharts who knows what kind of behindthescenes pressure is being put on fauci and others in the health care establishmentthere is a monstrous reputational risk for those who will be found to have dismissively waved off a treatment that could have been used from the very beginning even back on february 15 when dr fauci said that the risk from coronavirus was minuscule how many lives could have been saved if the heads of our multibillion dollar health care bureaucracy had been advocating for hcq treatment from day one well never know instead their advice has been dangerous and deadly in every sense of that wordsomeday maybe even today we will be able to identify the individuals who had the knowledge and expertise to make a global difference but turned up their noses at the solution when it could have made all the difference in the world", + "https://onenewsnow.com/", + "FAKE", + 0.11510645475923251, + 1382 + ], + [ + "Dr. Daniel Erickson pushes to lift California stay at home orders because lockdowns have minimal benefits", + "two doctors in the bakersfield area want the california shelterinplace order to be lifteddr dan erickson and dr artin massihi own and run an urgent care facility in kern countydo we need to still shelter in place our answer is no do we need businesses to be shut down no do we need to test them and get them back to work yes we do says dr dan ericksonthe two say they have their own statistics that show covid19 is similar to the fludr daniel erickson is questioning the effectiveness of going into lockdown to prevent the spread of coronavirus he believes we should be focusing on herd immunity and backed up his claim with statistics on good morning san diego sheltering in place would lead to a weakening of the immune system because this would limit exposure to normal bacteria and normal flora while it is correct that healthy development of the immune system requires exposure to microorganisms like bacteria fungi and viruses sheltering in place would not minimize exposure to microorganisms to the extent of causing immune dysfunction", + "YouTube", + "FAKE", + 0.28271604938271605, + 180 + ], + [ + "There’s A Connection Between Coronavirus And 5G", + "5g dangersconspiracycontrolcoronavirustheres a connection between coronavirus and 5ghaffebruary 19 2020\nsponsored by revcontenttrending now the china coronavirus 5g connection is a very important factor when trying to comprehend the coronavirus formerly abbreviated 2019ncov now covid19 outbreak various independent researchers around the web for around 23 weeks now have highlighted the coronavirus5g link despite the fact that google as the selfappointed nwo censorinchief is doing its best to hide and scrub all search results showing the connection the coronavirus 5g connection doesnt mean the bioweapons connection is false its not a case of eitheror but rather broadens the scope of the entire event wuhan was one of the test cities chosen for china 5g rollout 5g went live there on october 31st 2019 almost exactly 2 months before the coronavirus outbreak began meanwhile many scientific documents on the health effects of 5g have verified that it causes flulike symptoms this article reveals the various connections behind the coronavirus phenomenon including how 5g can exacerbate or cause the kind of illness you are attributing to the new virus the rabbit hole is deep so lets take a dive 5g a type of directed energy weapon\nfor the deeper background to 5g read my 2017 article 5g and iot total technological control grid being rolled out fast many people around the world including concerned citizens scientist and even governmental officials are becoming aware of the danger of 5g this is why it has already been banned in many places worldwide such as brussels the netherlands and parts of switzerland ireland italy germany the uk the usa and australia after all 5g is not just the next generation of mobile connectivity after 4g it is a radical and entirely new type of technology a military technology used on the battlefield that is now being deployed military term in the civilian realm it is phased array weaponry being sold and disguised as primarily a communications system when the frequency bands it uses 24ghz 100ghz including mmw millimeter waves are the very same ones used in active denial systems ie crowd control even mainstream wikipedia describes active denial systems as directed energy weaponry it disperses crowds by firing energy at them causing immediate and intense pain including a sensation of the skin burning remember directed energy weapons dew are behind the fall of the twin towers on 911 and the fake californian wildfires numerous scientists have warned of the dangerous health effects of 5g for instance in this 5g appeal from 2017 entitled scientists and doctors warn of potential serious health effects of 5g scientists warned of the harmful of nonionizing rfemf radiation effects include increased cancer risk cellular stress increase in harmful free radicals genetic damages structural and functional changes of the reproductive system learning and memory deficits neurological disorders and negative impacts on general wellbeing in humans damage goes well beyond the human race as there is growing evidence of harmful effects to both plants and animals if you listen to mark steele and barrie trower youll get an idea of the horrifying effects of 5g in this interview trower echoes the above quote by stating how 5g damages the immune system of trees and kills insects he reveals how in 1977 5g was tested on animals in hopes of finding a weapon the results were severe demyelination stripping the protective sheath of nerve cells some nations are now noticing a 90 loss of insects including pollinating insects like bees which congregate around lampposts where 5g is installed wuhan military games and event 201 simulation if you dig deep enough some disturbing connections arise between 5g and the men who have developed or are developing vaccines for novel viruses like ebola zika and the new coronavirus covid19 in a fantastic piece of research an author under the pen name of annie logical wrote the article corona virus fakery and the link to 5g testing that lays out the coronavirus 5g connection there is a ton of information so i will break it all down to make it more understandable from october 1827th 2019 wuhan hosted the military world games and specifically used 5g for the first time ever for the event also on october 18th 2019 in new york the johns hopkins center in partnership with world economic forum wef and the bill and melinda gates foundation hosted event 201 a global pandemic exercise which is a simulation of a pandemicguess what virus they happen to choose for their simulation a coronavirus guess what animal cells they use pig cells covid19 was initially reported to be derived from a seafood market and the fish there are known to be fed on pig waste event 201 includes the un since the wef now has a partnership agreement with un big pharma johnson and johnson bill gates key figure in pushing vaccines human microchipping and agenda 2030 and both china and americas cdc participants in event 201 recommended that governments force social media companies to stop the spread of fake news and that ultimately the only way to control the information would be for the who world health organization part of the un to be the sole central purveyor of information during a pandemic inovio electroporation and 5g as reported on january 24th 2020 us biotech and pharmaceutical company inovio received a 9 million grant to develop a vaccine for the coronavirus inovio got the money grant from the coalition for epidemic preparedness innovations cepi however they already have an existing partnership with cepi in april 2018 they got up to 56 million to develop vaccines for lassa fever and middle east respiratory syndrome mers cepi was founded in davos by the governments of norway and india the wellcome trust and the participants of event 201 the bill and melinda gates foundation and the wef cepis ceo is the former director of barda us biomedical advanced research and development authority which is part of the hhs inovio claimed they developed a coronavirus vaccine in 2 hours on the face of it such a claim is absurd what is more likely is that they are lying or that they already had the vaccine because they had the foreknowledge that the coronavirus was coming and was about to be unleashed so who owns and runs inovio two key men are david weiner and dr joseph kim weiner was once kims university professor weiner was involved with developing a vaccine for hiv and zika you can read my articles about zika here and here where i exposed some of the lies surrounding that epidemic kim was funded by merck a large big pharma company and produced something called porcine circovirus pcv 1 and pcv 2 as mentioned above there is a link between pig vaccinespig dna and the coronavirus annie logical notes that it has long been established that seafood in the area is fed on pig waste kim served a 5year tenure as a member of the wefs global agenda council yet another organ pushing the new world order one world government under the banner of agenda 2030 global governance weiner is an employee and advisor to the fda is considered a dna technology expert and pioneered a new dna transference method called electroporation a microbiology technique which uses an electrical pulse to create temporary pores in cell membranes through which substances like chemicals drugs or dna can be introduced into the cell this technique can be used to administer dna vaccines which inject foreign dna into a hosts cells that changes the hosts dna this means if you take a dna vaccine you are allowing your dna to be changed as if vaccines werent already horrific enough but heres the kicker electroporation uses pulsed waves guess what else uses pulsed waves 5g this is either a startling coincidence or evidence or a sinister coronavirus 5gconnection annie writes he same action that 5g technology uses in pulsed waves and the coronavirus was reported to have started in an area in china that had rolled out 5g technology so we can see how geneticists using scientists are tampering with the building blocks of our existence and what is disturbing is that prof wiener is a hiv pioneer and we know that soon after the polio vaccines were given to millions in africa that hiv emerged they have perfected the art of injecting animal or bird dna into human chromosomes which alters our dna and causes things like haemorrhaging fever cancers and even deathspeaking of hiv which is not the same things as aids but that is another story remember also that a group of indian scientists put out their research that the virus was manmade and had hiv inserts they found that 4 separate hiv genes were randomly embedded within the coronavirus these genes somehow converged to create receptor sites on the virus that were identical to hiv which was a surprise due to their random placement they also specifically stated that this was not likely to happen naturally unlikely to be fortuitous in nature in yet another example of egregious censorship these scientists were pressured to withdraw their work 5g and electroporation dna vaccines both producing pulsed emf waves consider the implications of this for a moment the technology exists to use emfs to open your very skin pores and inject foreign dna into your bloodstream and cells this is an extreme violation of your bodily sovereignty and it can have longterm effects because of genetic mutation changing your very dna which is the biological blueprint and physical essence of who you are what if 5g mimics electroporation what if 5g can do on a large scale what electroporation does on a small scale we already know that 5g has the potential to be mutagenic dnadamaging the frequencies that 5g uses especially 75100ghz interact with the geometrical structure of our skin and sweat ducts acting upon them like a transmission reaching an antenna and fundamentally affecting us and our mood what if 5g is being used to open up the skin of those in wuhan so as to allow the new bioweapon coronavirus to infiltrate more easily mandatory vaccines depopulation and transhumanism so whats at the bottom of the coronavirus5g connection rabbit hole i would suggest we find mandatory vaccine agenda the depopulation agenda and transhumanist agenda via dna vaccines the key figures and groups who appear to have planned this already have the vaccine in place just as they did for the other epidemics that fizzled out sars ebola and zika weiner even has links to hivaids and if you dive into that as jon rappoport did you find gaping holes in that story its the same epidemic pandemic game played out every 23 years theres a couple of versions in the first version you invent a virus hype it up get people scared do ineffectual and inconclusive tests eg like the pcr test which measures if a viral fragment is present but doesnt tell you the quantities of whether it would actually causing the disease inflate the body count justify quarantinemartial law and brainwash people into thinking they have to buy the toxic vaccine and introduce mandatory vaccination you dont even need a real virus or pathogen for the version in the second version you create a virus as a bioweapon release it as a test pretend it was a natural mutation watch how many people it kills which helps with the eugenics and depopulation agendas again justify martial law again justify the need for mandatory vaccines and even pose as the savior with the vaccine that stops it as a variation on this second version you can even develop a racespecific bioweapon so as to reduce the population of rival nations or enemy races as a geopolitical strategy this article suggests that the coronavirus targets chinese people asians more than others and certainly the official death count attests to that although its always hard to trust governmental statistics annie logical gives her take the con job goes like this step 1 poison the population purposely to create disease that does not and would never occur naturally step 2 parlay the purposely created disease as being caused by something invisible outside the realm of control or knowledge of the average person step 3 create a toxic vaccine or medication that was always intended to further poison the population into an early grave step 4 parlay the vaccine or medication poisoning as proof the disease which never existed is much worse than anticipated step 5 increase the initial poisoning which is marketed as a fake disease and also increase the vaccine and medication poisoning to start piling the bodies into the stratosphere step 6 repeat as many times as possible upon an uninformed population because killing a population this way the art of having people line up to kill themselves with poisonknown as a soft kill method is the only legal way to make sure such eugenic operations can be executed on mass and in plain sight dna vaccines are a disturbing new advancement for transhumanism after all the objective of the transhumanist agenda is to merge man with machine and in doing so wipe out what fundamentally makes us human so we can be controlled and overtaken by a deeply sinister and negative force its all about changing us at the fundamental level or attacking human sovereignty itself dna vaccines fit right in with that literally changing your dna by forcefully inserting foreign dna to change your genetics with consequences no one could possibly fully foresee and predict one last coronavirus 5g connection finally i will finish with another coronavirus5g connection the word coronavirus itself refers to many kinds of viruses by that name not just covid19 guess who owns a patent for a coronavirus strain that can be used to develop a vaccine the pirbright institute and guess who partially owns them bill gates as you can read here pirbright is being supported in their vaccine developement endeavors by a british company innovate uk who also funds and supports the rollout of 5g innovate uk ran a competition in 2018 with a 15 million share out to any small business that could produce vaccines for epidemic potentialthe motivation to hype and the motivation to downplay history has shown that in cases of epidemics or fake epidemics there is almost always a morass of conflicting reports and contradictory information in such situations it can be very difficult to get to the bottom of the matter and find the truth the conflict stems from the different motivations of nations governments and other interested groups essentially there are 2 main motivations the motivation to hype exaggerate and use fear to grab attention sell something make a group look badincompetent make people scared make the public accept mandatory vaccination and martial law and the motivation to downplay cover up and hide the true extent of the damage morbidity or mortality so as to appear competent and in control to lessen possible anger backlash or disorder sometimes these 2 motivations may drive the behavior of the same group eg in the case of the chinese government it has the motivation to hype to get people afraid so they easily follow its draconian quarantine rules and the motivation to downplay so as to appear in the eyes of its people and the rest of the entire world to have the situation under control to ensure saving face credibility and a good reputation final thoughts on the coronavirus 5g connection governments around the world have experimented with bioweapons both on their own citizens and foreign citizens and even sold that research to other governments for their own benefit eg japans notorious unit 731 which developed bioweapons in china only to hand over that research to the us after losing world war 2 see bioweapons lyme disease weaponized ticks plum island more for a brief history of the usgs usage of weaponized ticks which resulted in lyme disease the evidence that covid19 is a bioweapon is overwhelming and so is the evidence that 5g is involved to either cause the flulike symptomspneumonia people have been experiencing andor to exacerbate the virulity of the virus by weakening peoples immune systems and subjecting them to pulsed waves of emf to open up their skin to foreign dna fragments including viruses in this kinds of story there are no major coincidences only connections and conspiracies waiting to be uncovered you can learn more on the subject by reading the book the dark side of prenatal ultrasound and the dangers of nonionizing radiation", + "https://humansarefree.com/", + "FAKE", + 0.013734862293474733, + 2766 + ], + [ + "Coronavirus was created in a lab in China", + "here are a few of the main theses conveyed by this documentarythe new coronavirus sarscov2 is the result of human manipulation in the laboratory the virus was deliberately released outside the wuhan virology laboratory the first traces of the virus do not go back to the wuhan market sarscov2 may have been created from the hiv virus", + "https://www.theepochtimes.com/", + "FAKE", + 0.050432900432900434, + 57 + ], + [ + "THE NEW CORONAVIRUS VACCINE COULD BE MORE DAMAGING THAN THE DISEASE ITSELF", + "the old swine flu vaccine caused permanent brain damage will the new coronavirus vaccine do the same following on from the announcement recently that the imminent wuhan coronavirus covid19 vaccine that could be fast tracked to general release as early as july this year will skip animal testing and come straight to human live trials with little to no testing it means that the vaccine could indeed be more harmful than the virus the extent of the dmage it could cause will be unknown whilst it will no doubt perpetuate the disease further through whats known as shedding it will increase the viral spread yet any cause of death will be attributed to the corona virus so we would need more vaccines to stop it as reported on vaccinenews several years back when everyone was freaking out about the h1n1 swine flu health authorities promised a miracle vaccine that in the end was shown to be far more dangerous than the swine flu itself because it caused permanent brain damage well now this same situation is happening all over again with the wuhan coronavirus covid19 with promised vaccines that will more than likely come with similar damaging adverse effectsas you may recall a shocking one in 16000 people who were given the socalled pandemrix vaccine a product of glaxosmithkline gsk were later observed to develop some combination of narcolepsy brain damage and even death some individuals reportedly lost their ability to sleep for more than 90 minutes at a time while others suddenly fell unconscious without warning the result was that many victims ended up suing gsk and in the united kingdom authorities agreed to pay out the equivalent of nearly 100 million in damages the whole thing was a major fiasco in other words demonstrating once again that vaccines are hardly ever what theyre cracked up to be fastforward about five years and here we are again with another major disease outbreak that the government says will require a novel vaccine in order to eradicate and just like previous ones it probably wont be nearly as safe or effective as health officials will one day claim sarscov vaccines were shown in studies to cause immunopathology and increased susceptibility to more diseasea 2012 study published in the journal plos one found that getting jabbed with sars severe acute respiratory syndrome coronavirus vaccines can cause a person to develop pulmonary immunopathology meaning more infection researchers out of texas determined that while getting vaccinated against sars coronavirus results in a strong antibody response the associated challenge of immunopathology creates other problems that once again makes these medicines more harmful than good these sarscov vaccines all induced antibody and protection against infection with sarscov they concluded however challenge of mice given any of the vaccines led to occurrence of th2type immunopathology suggesting hypersensitivity to sarscov components was induced caution in proceeding to application of a sarscov vaccine in humans is indicated the polio vaccine causes polio so just in the same way the corona virus is likely to cause more cases of corona virus what were witnessing is in many ways a repeat of what happened during the swine flu scare health authorities and governments around the world created fear and panic over a novel disease in order to scare millions of people into getting a vaccine that was more dangerous than the disease itself and just like with the wuhan coronavirus covid19 taxpayers are largely footing the bill please sign our petition against enforced medical intervention if you not believe that vaccines can even cause damage please go here to see the governements own spreadsheets on just how many people are harmed by vaccines its regularly updated so how do you protect yourself against the coronavirus anyone with a healthy lifestyle a clean diet and strong immune system should be well equipped to cope with any virus but if you are concerned about your own immune system then please read md fermins informative and thought provoking article stating that the medical world has much to gain from embracing immunotherapy such as genuine gcmaf we all have gcmaf in our bodies as it is a naturally occurring protein the likelihood is that if you are well and healthy you have enough of it to fight off viruss and pathogens if on the other hand you are sick or have been diagnosed with a serious condition then your immune system is low and so your gcmaf is too\nthe evidence research and real stories that proves the effectiveness of genuine bulgarian gcmaf immunotherapy even against the rarest of cancers is abundant one of the issues is that it is not a well publicised story dr james lyonsweiler phd also recently published a report on his website highlighting some littleknown facts about the wuhan coronavirus covid19 of which you may not be aware included in this report is a roundup of some known nutritional and supplemental remedies that could also help you and your family stay safe from this growing pandemicaccording to dr theron hutton md nacetyl cysteine selenium spirulina and highdose glucosamine are all supplements of natural origin that have been scientifically shown to provide protection against rna viruses like influenza and coronavirus in a paper entitled nutraceuticals have potential for boosting the type 1 interferon response to rna viruses including influenza and coronavirus researchers from the catalytic longevity foundation and the mid america heart institute at st lukes hospital found that these and other herb extractions such as elderberry possess symptomatically beneficial properties that can help to mediate the impact of infections such as coronavirus which is definitely worth considering lyonsweiler also suggests staying away from other people whenever its feasible to do so while avoiding people entirely is next to impossible especially if you live in an urban or semiurban environment that necessitates going out to buy groceries and other necessities on a regular basis you can take basic steps such as not sharing food containers or utensils and avoiding medical facilities", + "https://healingoracle.ch/", + "FAKE", + 0.12444939081537022, + 1000 + ], + [ + "Coronavirus: A Shocking Update. Did The Virus Originate in the US?", + "it appears that the virus did not originate in china and according to reports in japanes and other media may have originated in the us", + "https://realfarmacy.com/", + "FAKE", + -0.125, + 25 + ], + [ + "Gargling Water With Salt Will Eliminate Coronavirus", + "before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water and salt or vinegar eliminates the virus spread this information because you can save someone with this information", + "Facebook", + "FAKE", + 0.6, + 55 + ], + [ + "The EU is exploiting the crisis to advance its own interest", + "under the guise of the pandemic tbilisi is violating the border with south ossetia with the help of the european union monitoring mission in georgiain syria by holding on to sanctions the eu and us are undermining humanitarian and medical responses to covid19 similarly rt claimed that the white helmets a prominent target of prokremlin disinformation are using the pandemic to further the us coalitions regime change agenda in syria in kosovo the notion that the crisis reveals the eus proserbian bias", + null, + "FAKE", + 0.08333333333333333, + 82 + ], + [ + "INFO TO PROPER PARTIES TO ASSIST WITH CORONAVIRUS CONTAINMENT", + "plan to mitigate the foreign born viral coronavirus invasion to americathere are simple and straightforward methods to blunt the coronavirus effects on america given what we know about the spread of this virus specific actions need to be implemented immediately the facts are that the virus cannot spread without it getting access to a victims mucus membranes via eyes ears and nosestaff on airplanes and other public transport in highrisk situations of coming into contact with those who are infected should be issued simple reusable masks and gloves made from an ion infused copper cotton material that is antiviral on contact the cotton should be infused with copper ions which kill viruses on contact and thus wearing a copper infused cotton mask with or without an n95 or n99 filters are a superior protection choiceprevention of mucus membrane exposure through contact with the hands or through inhalation along with use of tight fitting glasses will protect against cough droplets in the air this is protection that can be manufactured inexpensively issuing colloidal silver in spray bottles to wash eyes will also greatly reduce risk of infection a colloidal silver solution at 100 ppm is non irritating and universally viracidal as well as only costing a few cents per gallon to the manufacturer technology now exists using nanotech vibrational tuning rods to detect the most infinitesimal amount of a discrete virus in solution this technology is accurate to picogram scale originally developed in germany this technology has been commercialized and is being used for the detection of minute toxins in environmental materials the same technology could be implemented for a very quick and inexpensive test for the virus which would be much faster cheaper and more accurate than the pcr technology currently being used this would allow for instant screening of large numbers of people in rapid fashion at airports and other transportation ports as well as in the hospital and healthcare environmentsin the past hepa air filters were in common use because the airlines knew that the air in the cabins was recirculating previously breathed air and could increase the risk of spreading airborne infection unfortunately today they do not use these advanced filtration systems as that raised the modest cost to the airlines per flight and to save this small amount of money they discontinued use of these air filters additionally the airlines insist on flying with the air vents closed in order to again save on the costs of a small amount of jet fuel being used in heating the air for the cockpit and the cabin it would be a simple solution to install hepa filters again in the air filtration systems airliners and cruise ships should also open the air vents to allow for less crosscontamination and rebreathing of stale aira further solution would be the use of commercially available ozone generating machines between flights and airline cabins to detox and disinfect the cabin air and surfaces a blast of ozone is a superb disinfectant and could easily cleanse an airline cabin in 20 to 30 minutes the same technology would be effective for cruise ships and trains as wellthere are thousands of natural drugs herbals chemicals plants and physical substances that have viral inhibiting and viral destructive capacity a single lab could be used to test out these many products for the potential of a safe nontoxic answer to the coronavirus infection a single lab with automated viral culture mass screening could quickly show which of the thousands of chemicals drugs and other products of nature will stop this virusfinally quarantine at home does not work and will not work as this virus has a long wait and see incubation period it is also near impossible to keep people completely isolated the answer is neighborhood isolation trailers that could be constructed quickly and easily these could be delivered to a specific location where people in quarantine could be housed in near where they live these isolation homes where the air would be filtered and the sewage would be kept in special isolated disinfected septic tanks would allow for families to visit via large windows without risking contamination and delivery of food to their relatives via a twoway isolation door system this would be a more humane and effective means of maintaining strict isolation while maintaining people in their own community and not overwhelming hospitals with the burden of highly infectious diseased individualspatients on homecare with oxygen and bipap positive pressure airway therapy would be on constant monitoring via telemedicine and internet cameras as well as medical telemetry to monitor their respiratory rate as well as their sa02 oxygen saturation along with ekg heart rate and their blood pressure this monitoring could be accomplished via computer systems so that it was automated again taking the strain and the stress away from the overburdened healthcare community\nshould a patients condition begin faltering a team of highly trained intensive care technicians in full hazmat isolation gear could be dispatched to the patients location in a matter of minutes or just to ensure that a patient on homecare was receiving good care this system may be even better than patient care in the hospital and would allow for patients who were deteriorating on homecare to be rapidly transferred to hospital based respiratory intensive care unitsrealize these technologies are off the shelf and are available at this very moment the only question is the actual implementation of the system of remote controlled advanced hightech medical care this program could be in working status in a matter of days and the cost savings would be immeasurable the savings of lives would be even greater all this with the added benefit of patients being able to isolate themselves at home in familiar environments with the support of their already exposed family membersutilizing an advanced use of cpap as well as remote teams of respiratory intensive care technicians virtual reality telemedicine health monitoring telemetry positive pressure oxygen therapy and airway support could be an absolute game changer never seen before in the annals of healthcarewe owe the american people the best that we can providethis worldwide pandemic is a manageable problem that need not lead to mass disruption or mass deaths there is certainly a drug or many drugs that can inhibit this virus and prevent its furthered deadly outcome the simplest of which are measures to protect your mucous membranes and to protect your hands from becoming germ transmitters the american public deserves a better more intelligent and more humane public health response from its government the above measures would give that to them at minimum cost and could be implemented in the matter of days with no barriers stopping effective public health responses to this contagion impending threat to our nationgod bless america and god bless its leaders who take appropriate action to protect its citizens history will record your actions accurately ", + "https://www.worldhealth.net/", + "FAKE", + 0.15353171466214946, + 1151 + ], + [ + "China Cures Coronavirus with Vitamin C; Research Suggests Selenium", + "i live in china this year like every other people with severely compromised immune systems were and are suffering from pneumonia in early january 2020 in wuhan china a place with dreadful air qualityhospitals started receiving patientsin fact for most of november all of december and most of january the air quality index aqi was so bad that local governments regularly issued standard health warnings due to high levels of particulate matter at my school in shanghai if the aqi is over 150 children are cannot play outside this is based on government advisoriesand please be aware far from hiding the problem government officials in china at the regional and national level readily provide daily and historical reports of the air quality index noting particulate matter pm25 and more thus we can track data for wuhan and most other large cities and urban areas for the past six yearsunsurprisingly those diagnosed with severe forms of covid19 are the elderly and immunocompromised additionally people who have a host of preexisting conditions are at higher risk nejm march 30th 2020 the bostonbased nonprofit health effects institute says anywhere from 500000 to 1250000 chinese die due to air pollution alone each year see pages 1113 but the question this report discusses is when people have pneumonia or other respiratory difficulties what are the best treatment protocolsceep it cimple ctupid intravenous vitamin c againall across china not just in wuhan but also in other cities that saw pneumonia cases and note chinese medical teams discuss covid19 as pneumonia people are being cured with vitamin ci am including the details from a public report written in chinese and published by a medical team xibei hospital affiliated with jiao tong university in the city of xian shaanxi province to complete the translation i used a combination of programs and resources google translate pleco and baidu fanyigiven what the doctors in xian knew of reports from wuhan which is 500 miles away from xian in the neighboring province of hubei and from seeing pneumonia patients in early february 2020 a team at the xibei hospital devised a protocol centered on the use of intravenous iv vitamin c against the coronavirus they first treated patients on february 10th critically ill patients received 200 mg of soluble vitamin c per kg body weight once every 12 hours after the first two treatments the patient would get 100 mgkg every 24 hours for the next four days those presenting with moderate symptoms were given 100 mgkg on day onearguably these doses are too low practitioners and researchers like dr suzanne humphries 2014 and thomas levy jd phd 2017 posit that intravenous infusions of vitamin c should be from 50100g per day and can be repeated every 37 daysthe xibei protocolusing the xibei protocol a person weighing 70 kg 154 pounds would receive a total of 28 grams of vitamin c on the first day thereafter they would receive 7 g per day the clinical trial in wuhan gave similar doses on february 14th 2020 the university hospital started giving pneumonia patients a nonbody weightdependent dose of 12 g of vitamin c every 12 hours for seven dayseven with their relatively low doses patients in xian were released after four to eight days of vitamin c thus the protocol emphasizing the antioxidant ascorbic acid has been a clear successnevertheless my question is why dont we hear of anything about intravenous vitamin c as a routine practice in the united states or even in other developed countries with reported covid19 cases like italy spain germany france or iranwhat does the research say about vitamin cthe teams in china did not choose to administer vitamin c due to mere guesswork to make the decision they cited the medical literature and used their knowledge about respiratory diseases and oxidative stressdr zhi yong peng at the zhongnan hospital at wuhan university justified his decision to use vitamin c notingfor most viral infections there is a lack of effective antiviral drugs vitamin c ascorbic acid has antioxidant properties clinical studies have shown that vitamin c can effectively prevent sepsis and related cytokine storms in addition vitamin c can protect the lungsvitamin c can effectively shorten the duration of or even prevent the common cold in a controlled trial 85 of 252 students experienced a reduction in cold symptoms after receiving highdose vitamin c group 1g per hour for 6 hours followed by 1g every 8 hoursxibei report on vitamin caccording to the xibei hospital 2020 reportfor patients with severe neonatal pneumonia and critically ill patients vitamin c treatments should be initiated as soon as possible after admission this is because whether the illness was similiar to infections seen in the past like keshan disease sars middle east respiratory syndrome mers or the current new covid19 pneumonia the main cause of death of patients is cardiopulmonary failure caused by increased acute oxidative stress when the virus causes increased oxidative stress in the body and increased capillary permeability early application of large doses of vitamin c can have a strong antioxidant effect reduce inflammatory responses and improve endothelial heart tissue functionthey addnumerous studies have shown that treatment with doses of vitamin c promote excellent results our past experience in successfully rescuing acute keshan disease and current studies at home and abroad show that highdose vitamin c can not only improve viral resistance but more importantly can prevent and treat acute lung injury and acute respiratory distress ardswhy not nutritiondr thomas levy has written many books and has given many lectures on the benefits of vitamin c for curing disease and body detoxification of course levy attributes this information great pioneer frederick klenner md klenner used ascorbic acid and developed protocols with intravenous and intramuscular applications of high dose vitamin c he was published as early as 1949reporting cures of polio measles mumps chickenpox and more\nbecause i knew of the benefits of high dose vitamin c in early february i encouraged four expat doctors working in wenzhou china to give it to their patients wenzhou a city of over 10 million was the second chinese city placed under a complete quarantine these doctors ridiculed me and scoffed at the idea that nutrition could provide any relief to coronavirus patients one actually said a vaccine is the only solution as a virus has no effective treatment i voiced my objection to that idea and had plans to use the antiviral drugs then being touted by the whoagain i insisted that antioxidants could save the sick to this the md added nutrition is important but if nutrition is enough why do governments make hospitals and medical collegeswhy indeedwhat about seleniumwhen i read the press release and protocol from jiao tong university hospital i wanted to learn more about keshan disease that rabbit hole only introduced me to more evidence that confirmed how nutrition can cure below are some excerpts from the wikipedia entry on keshan diseasekeshan disease named after keshan county of heilongjiang province in northeast china is a congestive cardiomyopathy caused by a combination of dietary deficiency of selenium and the presence of a mutated sic strain of coxsackievirus sic often fatal the disease afflicts children and women of childbearing age it is characterized by heart failure and pulmonary edemaafter reading all the references cited by the wiki page i concluded the following about keshan disease and the state of scientific knowledgesymptoms of respiratory difficulty and congestive heart disease were found to be prevalent in a wide belt of territory extending from northeast to southwest china including parts of shaanxi province see ge and yang 1979 those areas which are replete with seleniumdeficient soilsthe research holds that keshan disease peaked from 19601970 when thousands died of the disease and during that decade china experienced a manmade famine then followed by food shortages especially in rural parts of chinaintentional dietary supplementation with selenium reduced the incidence and harm of keshan disease in china see ge and yang 1979keshan disease\nbeck et al 2003 cited a 1979 report from china the report declared unequivocally populations living in areas of china with seleniumrich soils did not develop keshan diseasegiven their interest beck et al 2003 conducted research into the role of selenium and keshan disease they concluded\nexperiments with mice suggest that together with the deficiency in selenium an infection with coxsackievirus was required for the development of keshan diseaseplease appreciate the idea that viruses cause disease is not universally acceptedand arguably wrong for keshan disease in particular ge and yang 1979 claimed that keshan disease was and is not related to any virus instead they note it as seasonal coming in the winter ge and yang 1979 explored the question of a viral cause for keshan disease but rejected that hypothesis due to a lack of evidence though most medical practitioners insist that viruses cause disease recall that in 2005 peter doshi discovered that despite claims that influenza virus kills thousands of americans every year for 2001 america had only 18 confirmed flu deaths\nthe lack of evidence for a viral infection causing keshan disease and the failure to find a flu virus in fatalities attributed to a virus should guide our thinking about covid19 today remember the chinese doctors in xian treat pneumonia as pneumonia and they lump together different viruses sars mers etc saying that each causes oxidative stressoxidative stressif diseaseall diseaseis really about oxidative stress as dr thomas levy holds maybe the type of virus is irrelevant keep in mind even though virologists categorize many types of viruses there are no true species of viruses racaniello 2019 lecture 1 minutes 5657to determine whether selenium deficiency was a specific link to the coxsackievirus beck et al 2003 injected the influenza virus into seleniumdeficient mice and mice fed with adequate amounts of selenium as we should expect the seleniumdeficient mice had more severe pathology more inflammatory distress and produced more tcells antibodies and hormones when they developed the respiratory infectionconsider that the viruses associated with pneumonia and other types of respiratory distress are different in human populations we generally see respiratory ailments with flulike symptoms andor pneumonia during the winter months additionally we see respiratory illness in persons depleted of an essential antioxidant selenium that is they are suffering from oxidative stress when exposed to the pathogendeficiency in cubagoing back to beck et al 2003 because their investigation into keshan disease attributed the ailment to both selenium deficiency and a virus sic the team wanted to bolster their thesis with a case study they provided some discussion about the relationship between said virus and selenium in another part of the worldcubaduring a period of severe nutritional deficit in cuba 19891993 doctors found a rash of patients developing optic and peripheral neuropathy beck et al 2003 the cuban doctors discovered that their sick patients had oxidative stress due to selenium deficiency and 84 had some mutated form of coxsackievirus and the outbreaks occurred in the winter months when vitamin d3 bloodlevels would be lowest beck et al 2003just putting these few sources together we know thatpeople get sick in wintera virus is not essential to the formation of an illness or diseasemore significantly neither specific viruses nor any distinct diseases have a link to selenium deficiency selenium is an antioxidant and when we raise our antioxidant levels and reduce oxidative stress we can stay infectionfree ergo the key to beating or avoiding pneumonia a cold the flu or any respiratory ailment is to consume adequate amounts of selenium and vitamin cother important nutrients to take as supplements are vitamins a e and k bcomplex magnesium and zincconquer covid crazinessand encourage others toothe last time i took a class at a university was spring 2001 since that time ive been enjoying the benefits of my virtual universitythe internet over the last 20 years i have heard lectures from professors and researchers on radio podcasts and youtube we now have access to millions of peerreviewed articles books and historical accounts i studied the best that our information age can offer i learn from drs viera scheibner gary null sherri tenpenny thomas levy rashid buttar sherry rogers nick gonzales leonard coldwell linus pauling fred klenner toni bark william kelley and many morebut i have not just absorbed their information i have used their work as a jumpingoff point to do further research and you can too\nthe allopaths either do not know or do not care about nutrition just ask allan smith there is a general awareness of the intellectual laziness of american physicians i have observed this after interactions with westerntrained doctors from south africa india and the middle east the arrogance of their ignorance is endemicfrom my survey of the current news if you are in america or europe all you hear is that the best doctors can offer is hydroxychloroquine antivirals or a future vaccine but from the research we can see that instead of their pharmaceutical drugs which can mask symptoms but do not cure what we all need is seleniumrich food or whole food supplements and high doses of vitamin ccan we get back to normalcythere will always be people with viruses and respiratory difficulties they will be suffering from oxidative stressand that is not contagious the numbers will rise in the winter when there is less sun less sun lowers vitamin d3 levels and reduces the absorption of phosphorous additionally people are more likely to eat more starchy foods and get less vitamin c in their dietthis is why we hear of members of congress professional athletes in nba nhl and worldclass soccer players testing positive for covid these people were not in china not eating bat soup and not sharing ventilators with older people in italian icu wards they did not contract an exogenous virustheir bodies made the virus due to oxidative stress in fact spontaneous endogenous generation of viruses referred to by some as exosomes would explain why beck et al 2003 discovered mutated and more virulent strains of the coxsackievirus in their seleniumdepleted mice they also discovered these strains in human subjects with low selenium this also notes why researchers are forever finding new and mutated versions of virusesregardless as del bigtree 2020 showed from the european data minutes 8090 in the winter of 2018 death rates across europe were far higher than todaybut there was no declaration of an epidemic or pandemic and there was no global shut downno fear of the unknownthis is not a time to accept economic stagnation and the social dislocation that will accompany it it is not a time to fear that which you cannot see a virusespecially given that no medical doctor has ever proven that said viruses cause illness i will present more on the virus theory in future articlesget your vitamin c selenium and zinc wash your hands to prevent bacterial infection and tell your friends to do the same", + "https://vaxxter.com/", + "FAKE", + 0.10527985482530941, + 2484 + ], + [ + "MAINSTREAM MEDIA COVER THE CORONAVIRUS OUTBREAK IN AN APOCALYPTIC WAY TO DEFAME CHINA", + "the apocalyptic coverage of the 2019ncov corona virus outbreak in china demonstrates how mainstream media outlets and social media platforms shape the audiences perception of reality while the chinese government appears to be employing needed measures to contain the outbreak and prevent the virus spread the msm mainstream media uses this measures to feed the audience with speculations that this is a signal of the chinese inability to keep the situation under control", + "https://southfront.org/", + "FAKE", + 0.011111111111111112, + 73 + ], + [ + "Herbs and Essential Oils to Fight Coronaviruses, Part 1", + "one of the biggest challenges designing a strategy to address mers with herbs is that the virus is relatively new and unknown so i chose to look at what is known to form the basis of my best educated guess such asthe nature of coronaviruses the symptoms of mers herbs with known antiviral actions existing herbal recommendations for sars with which mers has much in common more details about viruses in general than i ever wanted to know viruses are strands of either dna or rna they have no cell wall but some are called encapsulated as they are covered in a layer of protein the shape of which is unique to that virus strain once inside the body the virus moves into the cells and is able to incorporate either dna or rna from the host into itselfdna viruses tend to be more stable and mutate less while rna viruses tend to have far more fluctuation and mutate easily where dna viruses make billions of stable copies of itself rna viruses make billions of copies with lots of variationcoronaviruses present some unique challenges as an rna virusbecause rna viruses mutate frequently it is not reasonable to expect a vaccine to come to market and be effective for any length of time rna viruses are highly adaptable and their variation allows for responsiveness however coronaviruses have the largest genome of all rna viruses that we know of and therefore have a real potential for\nif a vaccine or other pharmaceutical were developed neither would be useful for long new vaccines would have to be made on an ongoing basis which can take 36 months to develop in the meantime infected persons would be traveling and carrying the virus with them into new territoryin this case herbal and plantbased remedies may have the edge over pharmaceuticals due to their complex and synergistic nature whereas pharmaceuticals focus on singular active ingredients plants by their very nature are a complex and unique combination of chemical constituents which are far more challenging to both bacteria and viral infectionswhile mers is a relatively new virus it is very similar to another coronavirus sars severe acute respiratory syndrome a study was done and published in the lancet detailing the similarities and differences between the two to read more about this study click here and here similarities include incubation periods 45 days presenting symptoms very similar to influenza lung pathology potential for pneumonia and cytokine storms the study found\nmost patients admitted to hospital exhibited fever 98 chillsrigors 87 cough 83 shortness of breath 72 and muscle pain 32 a quarter of patients also experienced gastrointestinal symptoms including diarrhea and vomitingthis study is almost a year old and several things have changed the mortality rate has dropped from 60 to 30 as awareness and better identification of mers grows more of the mild cases are being reported it seems that the cases that ended in death of the patient correlate to patients who had preexisting conditions especially diabetes according to the studyhowever in contrast to sars the majority of cases 96 occurred in people with underlying chronic medical conditions including diabetes 68 high blood pressure 34 chronic heart disease 28 and chronic renal disease 49all of these details tell us a number of very useful things to develop an herbal strategy for mersthe similarities between sars and mers mean that herbs that are effective for sars are most likely effective for mers herbs longused for comfort measures against influenza would likely be effective to provide comfort against mersaddressing preexisting conditions with herbs is likely a good way to prevent a mild case of mers from becoming a serious case or worse a fatalityherbs with strong antiviral properties that also protect against cytokine storms would be very usefulherbs used in fighting coronavirusesbelow is a list of herbs and essential oils that meet these objectives these are either antiviral or supporting syngeristic herbs it will take several more posts to details what they can do and how to make herbal remedies with them as i write them i will link back to this pagechinese skullcap scutellaria baicalensis not american skullcap\nlicorice glycyrrhiza glabra used as a synergist with other herbs not by itself kudzu pueraria lobata\nginko bilobaangelica sinensisastragalus mongholicusjapanese knotweed polygonum cuspidatumrhodiola roseacordyceps sinensisolive leaf olea europaeaelder sambucus nigracinnamon cinnamomum zeylanicumberberine herbsred root ceanothus americanuscleavers galium aparinesalvia miltiorrhizadyers woad isatis tinctoriathe following herbs are beneficial for influenza relief and would likely be helpful for the symptoms associated with mers those influenza herbs that are also included above are not duplicated belowechinacea angustafoliaginger zingiber officinalepleurisy root asclepias tuberosa cayenne capsicum annumelecampane inula heleniumhyssop hyssopus officinalisslippery or siberian elm ulmus rubraboneset eupatorium perfoliatumhorehound marrubium vulgaresage salvia officinalismarshmallow althaea officinalisclove syzygium aromaticumcoltsfoot tussilago farfaramullein leaf verbascum densiflorum peppermint mentha piperitathyme thymus vulgarisgarlic allium sativumhorseradish armoracia rusticanalemon citrus limonhoney essential oilsthe oils listed below each assist the respiratory system some are better for children some are better for adults who can handle a more intense essential oil use these oils with warning do not ingest these oils are to be taken through inhalation only i am quite aware of the multilevel marketing companies out there that tout ingestion as the end all be all for every ailment known to humankind the casual manner in which such potent oils are being used is a dangerous practice especially in the hands of sales reps with no aromatherapy training there is a time and place for ingesting oils this isnt itthyme thymus vulgarisoregano origanum vulgareeucalyptus eucalyptus globulusrosemary rosmarinus officinalislavender lavandula angustifoliasage salvia officinalisadditionally herbs indicated for diabetes hypertension cardiac issues and kidney problems dietary changes that improve these conditions plus any other steps you can take to improve illnesses such as these should be implemented now mers is far more deadly to people already experiencing chronic disease", + "https://web.archive.org/", + "FAKE", + 0.1663328598484848, + 972 + ], + [ + "BILL GATES, ROCKEFELLER AND CO ASPIRE TO A POPULATION REDUCTION; THE SURVIVORS WILL BE POISONED WITH VACCINES", + "we may be looking at a complete collapse of our western economy and growing misery for the masses what will happen to these people without jobs without incomes many of them may also lose their homes as they will not be able to pay their mortgages or rents they may die from famine diseases of all sorts despair the desired world population reduction that bill gates rockefeller and co aspire it may be part of and the beginning of their sinister eugenics plan\nthe doomsday picture may continue as all the bankrupt small and medium size enterprises including airlines tourist industries et al will be bought up by huge monopolies that already exist google amazon alibaba and more mergers of gigantic proportions may take place it may be the last shift of capital from the bottom to the top in our era of civilization as we know ita global vaccination program with toxins and dnaaltering proteins contained in the injected immuneserum may be forced upon the surviving population included within the injection of vaccine may be a nanochip that people are not aware of but that may be uploaded with all your personal data from health records to traffic violations to your bank account so that you can be followed surveyed and watched over every step you take and every dissenting view you voice will be recorded and listened to and you may be punished by your money being confiscated or a drone may do away with you depending on the gravity of the dissent yes the implantation of a nanochip is a reality", + "https://journal-neo.org/", + "FAKE", + 0.09464285714285715, + 264 + ], + [ + "China – Western China Bashing – vs. Western Biowarfare?", + "on 29 january who directorgeneral dr tedros adhanom ghebreyesus said that there was no reason to declare the outbreak of the coronavirus 2019ncov in china a pandemic risk on 30 january he declared the virus an international emergency but made clear that there was no reason for countries to issue traveladvisories against travelling to china let me speculate the international emergency was declared at the request of washington and the comment against the traveladvisory was an addition by dr tedros himself as he realized that there was indeed no reason for panic that china is doing wonders in stemming the virus from spreading and in detecting the virus early onin fact dr tedros has himself as well as other highranking who officials on various occasions praised china for her effort to contain the virus the speed with which wuhan population of 11 million capital of the centereastern province of hubei and china as a whole has reacted to the outbreak the latest achievement in 8 days china has built in wuhan a 25000 m2 special hospital for treatment of the coronavirus 2019ncov and possible mutations with 1000 beds and for about 1400 medical personnel for a budget of the equivalent of us 43 million equipped with stateoftheart medical technology no other country in the world would have been capable of such an achievementnevertheless and against whos guidance washington immediately advised its citizens not to travel to china and withdrew nonessential staff from us consulates and the embassy in beijing thereby triggering an avalanche of similar reactions among washington vassals around the globe ie most of the european countries did likewise many of them canceled their flights to china as did of course the usrussia also closed her 4200 km long border working handinhand with china in containing the virus this also means that no infected russian citizen may leave china this is a concerted chineserussian effort spearheaded by china to control and contain the epidemicthe nyt and washpo are on a vicious daily campaign to slander and vilify china with lies and manipulated information on how badly china is managing the disease when the complete opposite is the case compare this to the common flu epidemic that hits the us and most of the western countries despite the fact that the us and europe have virtually implemented carpet vaccination in some us states and eu countries even compulsoryyet this 2019 2020 flu season which is far from over has so far claimed more than 8400 lives alone in the us more than 140000 hospitalizations and more than 8 million infected people the us has about 330 million people compare this to chinas 14 billion population with as of 3 february an infection rate of less than 21000 a death toll of 425 in china and outside of china reported two one in hong kong another one in the philippinesexpand these statistics to europe and you find similar figures of course nobody talks about it this is an annual occurrence a bonanza for the western pharma industry in the west disease is business the more the merrier once you are in the medical mill its difficult to escape specialists find always another reason to send you yet to another specialist for another treatment the ignorant patient has no option than to obey after all its his health and life in china it is the total opposite the chinese system does everything for its populations health and wellbeingthe coronavirus epidemic chinese resilience and silent simple and steady resistance a model for mankindyet china bashing in one way or another seems to intensify by the day yesterday 3 february the un in geneva has issued an edict that all un employees returning from china must stay home and work from home for 14 days ie a dictated selfquarantine and new contracts for chinese staff will be temporarily suspended this is all propaganda against chinaquarantine is absolutely not necessary chinese biologists of the office of science and technology of the city of wuxi southeastern jiangsu province near shanghai have developed a test kit that can detect the 2019ncov virus within 8 15 minutes similar to a pregnancy test this test kit is available to the world in fact it has been used to test an airline crew member arriving from new york at the zurich airport and feeling ill within less than an hour the crew member was sent home it was the common fluin china where by now scientific evidence is mounting that the disease like all the coronaviral diseases including the 2019ncov predecessor sars severe acute respiratory syndrome 2002 2003 also in china and its middle east equivalent mers middle east respiratory syndrome are not only laboratory fabricated but also patented and so are many others for example ebola and hiv both sars and 2019ncov are not only manmade but they are also focusing on the chinese race thats why you find very few people infected in the 18 countries where the coronavirus has spreadit sounds like a strange coincidence that in october 2019 a simulation with precisely the coronavirus was carried out at the john hopkins institute in the us funded by the bill and melinda gates foundation the wef world economic forum as well as the pirbright institute of the uk one of the worlds few level 4 highest security level biowarfare laboratories for more details see chinas coronavirus a global health emergency is launched what are the factsthe wests demolition priority seems to have shifted drastically from russia to china why because china is an everstronger economic power soon to surpass the united states in absolute terms since mid2017 china is already number one measured by the ppp purchasing power parity indicator indeed the most important one because it demonstrates what people can actually buy with the moneychinas currency the yuan is also advancing rapidly as a reserve currency gradually replacing the usdollar when that happens that real money like the chinese yuan based on a hard economy and covered by gold against a fake fiat currency based on nothing like the usdollar is taking the lead then the usdollar hegemony is broken and the us economy doomedto prevent that from happening washington is doing everything possible to destabilize china see hong kong taiwan the uyghurs in chinas western xinjiang province tibet the infamous trumpinspired tariff war and now the new coronavirus outbreak the death toll is at present about 21 of total cases of infection down from 23 a week agobut that and the constant bashing with negative western propaganda travel bans border closures flight bans and more plus the disease itself the medical care work absenteeism medication and medical equipment not to forget the speciallybuilt 1000bed emergency hospital in wuhan and an 8 average decline at the shanghai stock exchange bear a considerable economic cost for china so much so that the peoples bank of china pbc has recently injected some 12 billion yuan about us 174 million equivalent into the economythis new coronavirus 2019ncov may just be a trial imagine a stronger mutation of a coronavirus would be implanted into the chinese population say with a mortality rate of 10 to 20 or higher it could cause real havoc however a stronger version may not be so easily controllable and directable ie towards the chinese race and may risk spreading to the caucasian race as well meaning the executioner would risk committing mass suicideremember the spanish flu pandemic of 1918 the deadliest in history infected an estimated 500 million people worldwide at that time about onethird of the planets population and killed at least 50 million people a death rate of 10 including some 700000 americanswhile preparing for the worst because washington with the help of its level 4 biowar lab will not let go easily chinas approach of endless inventive creation avoiding conflicts will outlive the aggressor", + "https://www.globalresearch.ca", + "FAKE", + 0.03872164017122002, + 1312 + ], + [ + "Dr. Francis Boyle Creator Of BioWeapons Act Says Coronavirus Is Biological Warfare Weapon", + "in an explosive interview dr francis boyle who drafted the biological weapons act has given a detailed statement admitting that the 2019 wuhan coronavirus is an offensive biological warfare weapon and that the world health organization who already knows about it exclusive coronavirus bioweapon how china stole coronavirus from canada and weaponized it watch here visualizing the secret history of coronavirus watch the exclusive interview of bioweapons expert dr francis boyle on coronavirus biological warfare blocked by the deep state francis boyle is a professor of international law at the university of illinois college of law he drafted the us domestic implementing legislation for the biological weapons convention known as the biological weapons antiterrorism act of 1989 that was approved unanimously by both houses of the us congress and signed into law by president george hw bushin an exclusive interview given to geopolitics and empire dr boyle discusses the coronavirus outbreak in wuhan china and the biosafety level 4 laboratory bsl4 from which he believes the infectious disease escaped he believes the virus is potentially lethal and an offensive biological warfare weapon or dualuse biowarfare weapons agent genetically modified with gain of function properties which is why the chinese government originally tried to cover it up and is now taking drastic measures to contain it the wuhan bsl4 lab is also a specially designated world health organization who research lab and dr boyle contends that the who knows full well what is occurringdr boyle also touches upon greatgameindias exclusive report coronavirus bioweapon where we reported in detail how chinese biowarfare agents working at the canadian lab in winnipeg were involved in the smuggling of coronavirus to wuhans lab from where it is believed to have been leakeddr boyles position is in stark contrast to the mainstream medias narrative of the virus being originated from the seafood market which is increasingly being questioned by many expertsrecently american senator tom cotton of arkansas also dismantled the mainstream medias claim on thursday that pinned the coronavirus outbreak on a market selling dead and live animalsin a video accompanying his post cotton explained that the wuhan wet market which cotton incorrectly referred to as a seafood market has been shown by experts to not be the source of the deadly contagioncotton referenced a lancet study which showed that many of the first cases of the novel coronavirus including patient zero had no connection to the wet market devastatingly undermining mainstream medias claimas one epidemiologist said that virus went into the seafood market before it came out of the seafood market we still dont know where it originated cotton saidi would note that wuhan also has chinas only biosafety level four super laboratory that works with the worlds most deadly pathogens to include yes coronavirussuch concerns have also been raised by jr nyquist the well known author of the books origins of the fourth world war and the fool and his enemy as well as coauthor of the new tactics of global war in his insightful article he published secret speechs given to highlevel communist party cadres by chinese defense minister gen chi haotian explaining a longrange plan for ensuring a chinese national renaissance the catalyst for which would be chinas secret plan to weaponiz virusesnyquist gave three different data points for making his case in analyzing coronavirus he writesthe third data point worth considering the journal greatgameindia has published a piece titled coronavirus bioweapon how china stole coronavirus from canada and weaponized itthe authors were clever enough to put khans virology journal article together with news of a security breach by chinese nationals at the canadian p4 national microbiology lab in winnipeg where the novel coronavirus was allegedly stored with other lethal organisms last may the royal canadian mounted police were called in to investigate by late july the chinese were kicked out of the facility the chief chinese scientist dr xiangguo qiu was allegedly making trips between winnipeg and wuhanhere we have a plausible theory of the ncov organisms travels first discovered in saudi arabia then studied in canada from whence it was stolen by a chinese scientist and brought to wuhan like the statement of taiwans intelligence chief in 2008 the greatgameindia story has come under intensive attack whatever the truth the fact of proximity and the unlikelihood of mutation must figure into our calculationsits highly probable that the 2019ncov organism is a weaponized version of the ncov discovered by saudi doctors in 2012meanwhile the mainstream medias narrative still maintains that the origin of the 2019 coronavirus is the wuhan seafood market after greatgameindia published the story on coronavirus bioweapon not only were our databse tinkered with and our reports blocked by facebook on the flimsy reason that they could not find greatgameindia facebook page but the report itself was viciously attacked by foreign policy magazine politifact known widely as facebooks propaganda arm and buzzfeednewsit is not greatgameindia alone which is being viciously attacked zero hedge a popular alternate media blog was suspended by twitter for publishing a story related to a study by indian scientists finding 2019 wuhan coronavirus to be not naturally evolved raising the possibility of it being created in a lab shockingly the study itself came under intense online criticism by social media experts resulting in the scientists withdrawing the paperin retaliation india has launched a fullscale investigation against chinas wuhan institute of virology the indian government has ordered an inquiry into a study conducted in the northeastern state of nagaland close to china by researchers from the us china and india on bats and humans carrying antibodies to deadly viruses like ebolathe study came under the scanner as two of the 12 researchers belonged to the wuhan institute of virologys department of emerging infectious diseases and it was funded by the united states department of defenses defense threat reduction agency dtrathe study conducted by scientists of the tata institute of fundamental research the national centre for biological sciences ncbs the wuhan institute of virology the uniformed services university of the health sciences in the us and the dukenational university in singapore is now being investigated for how the scientists were allowed to access live samples of bats and bat hunters humans without due permissionsthe results of the study were published in october last year in the plos neglected tropical diseases journal originally established by the bill and melinda gates foundationas the author jr nyquist puts itwe must have an investigation of the outbreak in wuhan the chinese must grant the world total transparency the truth must come out if chinese officials are innocent they have nothing to hide if they are guilty they will refuse to cooperatethe real concern here is whether the rest of the world has the courage to demand a real and thorough investigation we need to be fearless in this demand and not allow economic interests to play a coy and dishonest game of denial we need an honest inquiry we need it now", + "https://greatgameindia.com/", + "FAKE", + -0.005891555701682287, + 1161 + ], + [ + "Soldiers Are On Streets Of Philly, Hauling Off COVID-19 Patients To FEMA Camps", + "oh well fuk it so heres a theory of mine yerme btw why are soldiers on the streets in philly someone dmd me this video this morning so yall know how we always hea about martial law and how were all gonna be hauled off to fema camps but the foreign troops were always the narrative to dew the job because ppl always said the us troops would find it harder slaughtering us citizens this coronavirus changes the average active military persons mind around youre no longer looked at as a citizen but now as a virus the government now can subject the military to dew anything and the soldiers now wont bat an eye because they believe you may be infected for them to stop march madness the nba means shyt is realer than we thought at first yerme and now that these hands have been played my mind goes to the extreme of worst possibilities that way anything less issa cake walk yerme this shyt got me thinking", + "Instagram", + "FAKE", + -0.15972222222222224, + 170 + ], + [ + null, + "corona virus before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water salt or vinegar eliminates the virus spread this information because you can save someone with this information", + "twitter", + "FAKE", + 0.6, + 56 + ], + [ + "Coronavirus Bioweapon – How China Stole Coronavirus From Canada And Weaponized It", + "last year a mysterious shipment was caught smuggling coronavirus from canada it was traced to chinese agents working at a canadian lab subsequent investigation by greatgameindia linked the agents to chinese biological warfare program from where the virus is suspected to have leaked causing the wuhan coronavirus outbreaknote the findings of this investigation has been corroborated by none other than the bioweapons expert dr francis boyle who drafted the biological weapons convention act followed by many nations the report has caused a major international controversy and is suppressed actively by a section of mainstream mediathe saudi sars sample on june 13 2012 a 60yearold saudi man was admitted to a private hospital in jeddah saudi arabia with a 7day history of fever cough expectoration and shortness of breath he had no history of cardiopulmonary or renal disease was receiving no longterm medications and did not smokeegyptian virologist dr ali mohamed zaki isolated and identified a previously unknown coronavirus from his lungs after routine diagnostics failed to identify the causative agent zaki contacted ron fouchier a leading virologist at the erasmus medical center emc in rotterdam the netherlands for advice fouchier sequenced the virus from a sample sent by zaki fouchier used a broadspectrum pancoronavirus realtime polymerase chain reaction rtpcr method to test for distinguishing features of a number of known coronaviruses known to infect humansthis coronavirus sample was acquired by scientific director dr frank plummer key to coronavirus investigation frank plummer was recently assassinated in africa of canadas national microbiology laboratory nml in winnipeg directly from fouchier who received it from zaki this virus was reportedly stolen from the canadian lab by chinese agentsthe canadian lab\ncoronavirus arrived at canadas nml winnipeg facility on may 4 2013 from the dutch lab the canadian lab grew up stocks of the virus and used it to assess diagnostic tests being used in canada winnipeg scientists worked to see which animal species can be infected with the new virusresearch was done in conjunction with the canadian food inspection agencys national lab the national centre for foreign animal diseases which is housed in the same complex as the national microbiology laboratorynml has a long history of offering comprehensive testing services for coronaviruses it isolated and provided the first genome sequence of the sars coronavirus and identified another coronavirus nl63 in 2004this winnipeg based canadian lab was targeted by chinese agents in what could be termed as biological espionagechinese biological espionage in march 2019 in mysterious event a shipment of exceptionally virulent viruses from canadas nml ended up in china the event caused a major scandal with biowarfare experts questioning why canada was sending lethal viruses to china scientists from nml said the highly lethal viruses were a potential bioweapon\nfollowing investigation the incident was traced to chinese agents working at nml four months later in july 2019 a group of chinese virologists were forcibly dispatched from the canadian national microbiology laboratory nml the nml is canadas only level4 facility and one of only a few in north america equipped to handle the worlds deadliest diseases including ebola sars coronavirus etcxiangguo qiu the chinese biowarfare agent the nml scientist who was escorted out of the canadian lab along with her husband another biologist and members of her research team is believed to be a chinese biowarfare agent xiangguo qiu qiu was the head of the vaccine development and antiviral therapies section in the special pathogens program at canadas nmlxiangguo qiu is an outstanding chinese scientist born in tianjin she primarily received her medical doctor degree from hebei medical university in china in 1985 and came to canada for graduate studies in 1996 later on she was affiliated with the institute of cell biology and the department of pediatrics and child health of the university of manitoba winnipeg not engaged with studying pathogens but a shift took place somehow since 2006 she has been studying powerful viruses in canadas nml the viruses shipped from the nml to china were studied by her in 2014 for instance together with the viruses machupo junin rift valley fever crimeancongo hemorrhagic fever and hendrainfiltrating the canadian lab dr xiangguo qiu is married to another chinese scientist dr keding cheng also affiliated with the nml specifically the science and technology core dr cheng is primarily a bacteriologist who shifted to virology the couple is responsible for infiltrating canadas nml with many chinese agents as students from a range of chinese scientific facilities directly tied to chinas biological warfare program namelyinstitute of military veterinary academy of military medical sciences changchun center for disease control and prevention chengdu military region wuhan institute of virology chinese academy of sciences hubeiinstitute of microbiology chinese academy of sciences beijing all of the above four mentioned chinese biological warfare facilities collaborated with dr xiangguo qiu within the context of ebola virus the institute of military veterinary joined a study on the rift valley fever virus too while the institute of microbiology joined a study on marburg virus noticeably the drug used in the latter study favipiravir has been earlier tested successfully by the chinese academy of military medical sciences with the designation jk05 originally a japanese patent registered in china already in 2006 against ebola and additional viruseshowever the studies by dr qiu are considerably more advanced and apparently vital for the chinese biological weapons development in case coronavirus ebola nipah marburg or rift valley fever viruses are included thereinthe canadian investigation is ongoing and questions remain whether previous shipments to china of other viruses or other essential preparations took place from 2006 to 2018 one way or anotherdr xiangguo qiu also collaborated in 2018 with three scientists from the us army medical research institute of infectious diseases maryland studying postexposure immunotherapy for two ebola viruses and marburg virus in monkeys a study supported by the us defense threat reduction agencythe wuhan coronavirus dr xiangguo qiu made at least five trips over the school year 201718 to the above mentioned wuhan national biosafety laboratory of the chinese academy of sciences which was certified for bsl4 in january 2017 moreover in august 2017 the national health commission of china approved research activities involving ebola nipah and crimeancongo hemorrhagic fever viruses at the wuhan facilitycoincidentally the wuhan national biosafety laboratory is located only 20 miles away from the huanan seafood market which is the epicenter of the coronavirus outbreak dubbed the wuhan coronavirusthe wuhan national biosafety laboratory is housed at the chinese military facility wuhan institute of virology linked to chinas biological warfare program it was the first ever lab in the country designed to meet biosafetylevel4 bsl4 standards the highest biohazard level meaning that it would be qualified to handle the most dangerous pathogens \nin january 2018 the lab was operational for global experiments on bsl4 pathogens wrote guizhen wu in the journal biosafety and health after a laboratory leak incident of sars in 2004 the former ministry of health of china initiated the construction of preservation laboratories for highlevel pathogens such as sars coronavirus and pandemic influenza virus wrote guizhen wucoronavirus bioweapon the wuhan institute has studied coronaviruses in the past including the strain that causes severe acute respiratory syndrome or sars h5n1 influenza virus japanese encephalitis and dengue researchers at the institute also studied the germ that causes anthrax a biological agent once developed in russiacoronaviruses particularly sars have been studied in the institute and are probably held therein said dany shoham a former israeli military intelligence officer who has studied chinese biowarfare he said sars is included within the chinese bw program at large and is dealt with in several pertinent facilitiesjames giordano a neurology professor at georgetown university and senior fellow in biowarfare at the us special operations command said chinas growing investment in bioscience looser ethics around geneediting and other cuttingedge technology and integration between government and academia raise the spectre of such pathogens being weaponizedthat could mean an offensive agent or a modified germ let loose by proxies for which only china has the treatment or vaccine this is not warfare per se he said but what its doing is leveraging the capability to act as global saviour which then creates various levels of macro and micro economic and biopower dependencieschinas biological warfare program in a 2015 academic paper shoham of barilans beginsadat center for strategic studies asserts that more than 40 chinese facilities are involved in bioweapon productionchinas academy of military medical sciences actually developed an ebola drug called jk05 but little has been divulged about it or the defence facilitys possession of the virus prompting speculation its ebola cells are part of chinas biowarfare arsenal shoham told the national postebola is classified as a category a bioterrorism agent by the us centers for disease control and prevention meaning it could be easily transmitted from person to person would result in high death rates and might cause panic the cdc lists nipah as a category c substance a deadly emerging pathogen that could be engineered for mass disseminationchinas biological warfare program is believed to be in an advanced stage that includes research and development production and weaponization capabilities its current inventory is believed to include the full range of traditional chemical and biological agents with a wide variety of delivery systems including artillery rockets aerial bombs sprayers and shortrange ballistic missilesweaponizing biotechchinas national strategy of militarycivil fusion has highlighted biology as a priority and the peoples liberation army could be at the forefront of expanding and exploiting this knowledgethe pla is pursuing military applications for biology and looking into promising intersections with other disciplines including brain science supercomputing and artificial intelligence since 2016 the central military commission has funded projects on military brain science advanced biomimetic systems biological and biomimetic materials human performance enhancement and new concept biotechnologyin 2016 an amms doctoral researcher published a dissertation research on the evaluation of human performance enhancement technology which characterized crisprcas as one of three primary technologies that might boost troops combat effectiveness the supporting research looked at the effectiveness of the drug modafinil which has applications in cognitive enhancement and at transcranial magnetic stimulation a type of brain stimulation while also contending that the great potential of crisprcas as a military deterrence technology in which china should grasp the initiative in developmentin 2016 the potential strategic value of genetic information led the chinese government to launch the national genebank which intends to become the worlds largest repository of such data it aims to develop and utilize chinas valuable genetic resources safeguard national security in bioinformatics and enhance chinas capability to seize the strategic commanding heights in the domain of biotechnology warfarechinese militarys interest in biology as an emerging domain of warfare is guided by strategists who talk about potential genetic weapons and the possibility of a bloodless victorythis story has been published in full in one of the worlds largest chinese tv news network ntdtv\n", + "https://greatgameindia.com/", + "FAKE", + 0.05056236791530912, + 1812 + ], + [ + "More people died of asthma this week alone than covid-19 killed all year", + "covid19 is causing panic across america but the panic seems unwarranted considering the amount of deaths from other causeswhile the virus has mild to no reactions with 80 of its victims 20 face severe cases of that 20 a minority face death but the virus has not killed many people considering its everywhere alreadyasthma for example kills on average 1000 people a day so this past week 7000 people worldwide died of asthma thats more than the coronavirus outbreak has killed since it came around in december", + "https://prntly.com/", + "FAKE", + 0.08854166666666666, + 87 + ], + [ + "Vitamin C and COVID-19 Coronavirus", + "there is only one existing treatment for the new coronavirus vitamin cvitamin c supports your immune systemvitamin c helps to kill the virus and reduces the symptoms of infectionits not a covid cure but nothing isit might just save your life though and will definitely reduce the severity of the infectionif someone tells you its not proven consider two thingsnothing is proven to work against covid19 because it is a new virusvitamin c has worked against every single virus including influenzas pneumonia and even poliomyelitiswhat to doif you do nothing else start taking vitamin c right away at least 3 grams a day spread right across the day thats a 1000 milligram capsule every 8 hours or a level teaspoon of powder dissolved in a pint or so of water drank all through the dayif youre smart and motivated do all the other things recommended in our previous release vitamin c protects against coronavirus httporthomolecularorgresourcesomnsv16n04shtmlwhen and if you catch a bug that might be covid19 simply increase your vitamin c intake a rounded teaspoon thats 4 to 5 grams in water which helps to keep you hydrated every 3 or 4 hours and keep on taking itdo you consult a doctor do you selfisolate yes and yes of course you do thats your duty to othersvitamin c and the other measures are what you do for yourselfthese links provide a large number of references to back up our above statements", + "http://orthomolecular.org/", + "FAKE", + 0.030289502164502165, + 240 + ], + [ + "Coincidence: Wuhan, first province with full 5G coverage - now the center of the deadly virus.", + "coincidence wuhan first province with full 5g coverage now the center of the deadly virus the deaths are not due to a virus but a cell breakdown\ncaused by 5g that mimics the effects of a virus that 5g causes flulike symptoms a letter that a group of doctors and scientists sent to the european union in 2017 calling for a moratorium on 5g until any health effects have been fully investigated", + "http://www.altermedzentrum.com", + "FAKE", + 0.06041666666666667, + 72 + ], + [ + "THE SCIENCE OF FEAR: HOW THE ELITISTS USE IT TO CONTROL US & HOW TO BREAK FREE", + "fear is one of the most powerful tools the elites have at their disposal using the mainstream media politicians and others who want world domination can inject fear into the public at the drop of a hat making them easy to manipulate and controlaristotle once said he who has overcome his fears will truly be free fear is a powerful weapon and its been used globally for the past few months people have shown that the instant the media tells them to live a life scared in their homes they will comply in order to stay safe whether the virus is real or not is not the point the elitists must keep the public in a constant state of panic in order to control them unafraid and compassionate people are impossible to controlunfortunately and unsurprisingly the propaganda was injected into schools to eliminate critical thinkingat school we were taught to think in certain ways they taught us what to think but not how to develop our thinking and everyone was taught the same if we thought in different ways than our classmates teachers would tell us we are bad students they would give us bad grades and might even expel us from school therefore as students we learned to compromise our thinking so as to get away with trouble the bounded spiritthe other hard truth most will not like to hear is that if you are still stuck in the left vs right paradigm you still havent figured any of it out yet left vs right only exists to give us the illusion of choice its time to question what weve been programmed to think and it should start there the fear of not electing the right candidate drives people to polls to vote for evil every year the lesser of two evils is still evil politicians are being elected by persuading the masses through the use of fear while journalists influence public opinion by terrorizing peoples mindsfear is the best weapon of all great manipulators it can move people to do anything no matter how nonsensical it is take for example the covid19 scam people are still terrified of a virus that even the government has admitted isnt any worse than the flu why because the media the governments lapdog is telling them they still need to be afraid the elites have learned to manipulate the publics emotions to their advantage with global media corporations in place controlled and operated by the elite they can amplify that fear quite easily turn on the news open a newspaper and youll see thiswe have been taught to be distrustful of the mind however and of our thoughts this has been by design and has been perpetuated through society by the elite of this world who understand the power of thought and the nature of the mind in fact most of us have been through a long period of mindprogramming since we were born to separate our mind from itself so that it does not know or experience this truth with one breathobey that is the name of the game of control and controlled you are if you do not recognize how innately powerful creative and safe you really are this life is not all you are but it is everything youve been taught to believeour emotions are energy and they all have a frequency the closer you are to the bottom the easier it will be to manipulate you into obeying and complying with tyrannyim more powerful than them and they know it and within minutes of the interview ending they were proving me right here they are this cult that i will explain that control the mainstream media my god has that been any more obvious than in the last few weeks shtfplan the video in this article has been deleted and this article has been shadowbannedicke was discussing the easy way to beat the cult as he calls it the elitists the government the establishment the ones who want to control you and enslave you he says living life in compassion and love and doing the right and moral thing will be the fall of the ruling class\nfree yourself by living a life free of fear take up critical thinking question what youve been told believe you are powerful because you are stop looking to others for answers and look to yourself find what resonates with you and speak your truth", + "https://www.wakingtimes.com/", + "FAKE", + 0.08478617342253707, + 743 + ], + [ + "BILL GATES HAS PROPOSED MICRO-CHIPPING PEOPLE TO FIGHT THE CORONAVIRUS PANDEMIC", + "in times of coronavirus many cybertechnology companies have rushed into the health sector hoping to make money out of the panic and clamour for example a us company has announced that it will use artificial intelligence to treat coronavirus patients apparently some drugs developed with the support of artificial intelligence are already being used for coronavirus therapy and a panacea is about to arrive many new artificial intelligence companies have forseen emerging trends in nanomedicine and telemedicine along the lines of implanting microchips into peoples bodies as suggested by bill gates", + "https://www.geopolitica.ru/", + "FAKE", + -0.06420454545454544, + 91 + ], + [ + null, + "take a deep breath and hold your breath for more than 10 seconds if you complete it successfully without coughing without discomfort stiffness or tightness etc it proves there is no covid19 caused fibrosis in the lungs basically indicates no infection", + "Facebook", + "FAKE", + 0.33, + 41 + ], + [ + "Robert F. Kennedy Jr. Drops fresh Bombshell — Bill Gates’ Coronavirus Vaccine Will Pay Out BILLIONS in Profits to Dr. Fauci’s Agency", + "if you are one of the millions of americans wondering why dr anthony fauci is vehemently cheerleading and praising a coronavirus vaccine for all americans robert f kennedy jr says follow the moneybobby kennedy jr dropped a bombshell on the thomas paine podcast detailing an apparent agreement between the national institute of health nih and the bill gatesbacked pharmacuetical company that has the best chance at this point of securing lucrative contracts for a national coronavirus vaccine that puts your government in bed with big pharma and gates and could pay as much as 50 percent of the profits to the nih the parent agency that employs dr anthony fauci who again is lobbying for the vaccine does fauci get a cut of the bounty too or has he already been cut infederal officials are not commenting on kennedys alarming information but the nih is the key player in deciding what vaccines get approved for coronavirus and the nih and government would profit wildly as kennedy said if the gatesbacked pharma play moderna inc gets the green light kennedy slammed both gates and fauci on numerous occasions during the exclusive interview with paine gates company is already in human trials with the vaccine just weeks after the outbreak ", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.13181818181818183, + 208 + ], + [ + null, + "22 cdc was caught on the spot when did patient zero begin in us how many people are infected what are the names of the hospitals it might be us army who brought the epidemic to wuhan be transparent make public your data us owe us an explanation ", + "Lijian Zhao", + "FAKE", + 0.25, + 48 + ], + [ + "Coronavirus Patients in China to be Treated with High-Dose Vitamin C", + "china is conducting a clinical trial of 24000 mgday of intravenous vitamin c to treat patients with coronavirus and severe respiratory complications participants will receive iv vitamin c for 7 days straight at zhongnan hospital of wuhan university honor and thanks are due to zhiyong peng md for making this happen he is chief physician and professor at the hospital which is close to ground zero for coronavirus this important study was filed and announced yesterday and details may be confirmedat zhongnan hospital in wuhan china 24000 mg of vitamin c will be administered to coronavirus patients intravenously each day for 7 daysto fight a dangerous virus for which there is no existing medical treatment you must rely on your own immune system it is well established in every nutrition textbook ever written that you need vitamin c to make your immune system work well or to even work at all inadequate vitamin c intake is a worldwide problem that can be immediately and economically fixed with even modest amounts of supplemental vitamin c deaths will decrease in one study a mere 200 mg of vitamin cday resulted in an 80 decrease in deaths among severely ill hospitalized respiratory disease patients another recent study used this same low 200 mg dose for infants and children under five years of age with severe pneumonia the authors concluded that vitamin c is effective in reducing duration of severe pneumonia in children less than five years of age oxygen saturation was improved in less than one day\na lack of vitamin c has been long known literally for decades to increase susceptibility to viruses it is one thing to be sick from a virus and another thing entirely to die from a viralinstigated disease the greatest danger with coronavirus is escalation to pneumonia for this much higher doses of vitamin c are indicated preferably by ivhow to administer highdose intravenous vitamin c in hospital chinese language edition is now posted for free access this information is now being publicized all over asia just because it is not on the american news channels doesnt mean its not happening it is this is real news the fake news is the medias neglect in not reporting it and here is the protocol in english to make reporting all the easier", + "http://orthomolecular.org/", + "FAKE", + 0.014306239737274216, + 384 + ], + [ + "Every election year has a disease; coronavirus has a contagion factor of 2 and a cure rate of 99.7% for those under 50 it infects", + "every election year has a disease coronavirus has a contagion factor of 2", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + "A hospital says consuming alcohol kills the coronavirus", + "extensive research our findings show consuming alcoholic beverages may help to reduce the risk of infection by the novel coronavirus vodka for drinking cleaning and sanitizing alcohol can ward off the virus", + "Facebook", + "FAKE", + -0.125, + 32 + ], + [ + "Coronavirus and Herbal Medicines. ", + "can herbal medicines fight wuhan coronavirusresearch over the past two decades shows that certain herbal medicines can fight the new wuhan coronavirus contagion lets review the evidence showing that certain plant medicines can fight similar viral infections such as sars mers and ebola and why this can also apply to the wuhan coronavirus lets review some of the current science on this coronavirus infection then we can discuss what plant medicines can offera unique collection of 33 plant lectins with different specificities were evaluated the plant lectins possessed marked antiviral properties against both coronaviruses with ec50 values in the lower microgramml range middle nanomolar range being nontoxic cc50 at 50100 microgml the strongest anticoronavirus activity was found predominantly among the mannosebinding lectinsof the 33 plants tested 15 extracts inhibited replication of both coronaviruses those antiviral lectins were successful in inhibiting the replication of the virusesthe 15 coronavirusinhibiting plants wereamaryllis hippeastrum hybrid snowdrop galanthus nivalis daffodil narcissus pseudonarcissus red spider lily lycoris radiate leek allium porrum ramsons allium ursinum taro colocasia esculenta cymbidium orchid cymbidium hybrid twayblade listera ovata broadleaved helleborine epipactis helleborine tulip tulipa hybrid black mulberry tree morus nigra tabacco plant nicotiana tabacum stinging nettle urtica dioica", + "https://web.archive.org/", + "FAKE", + 0.09809059987631415, + 198 + ], + [ + "New U.S. analysis finds that lab in Wuhan, China was “most likely” origin of coronavirus release", + "while american leftists and most of the democrat party continue to serve as apologists for the chinese communist regime over its role in creating and then perpetuating the coronavirus pandemic a new us government analysis concludes that covid19 most likely escaped from a lab near wuhan city\nthe washington times reports that the analysis cataloged evidence linking the outbreak to the wuhan lab and has found that other explanations for the origins of the virus are not as credible the paper reportedthe document compiled from open sources and not a finished product says there is no smoking gun to blame the virus on either the wuhan institute of virology or the wuhan branch of the chinese center for disease control and prevention both located in the city where the first outbreaks were reportedhowever there is circumstantial evidence to suggest such may be the case the paper saysall other possible places of the virus origin have been proven to be highly unlikely said the report a copy of which was obtained by the timeschicom officials have claimed that the virus origin is unknown however beijing initially stated that coronavirus came from animals at a wet market in wuhan where exotic meats are butchered and sold in disgusting conditions chinese officials claim that covid19 went from bats to animals sold in the market last year then infected humans us intelligence officials have increasingly dismissed that explanation however as attention has begun to focus on evidence suggesting that chinese medical researchers were working with coronavirus in the countrys only level 4 facility which is in wuhan us army gen mark a milley chairman of the joint chiefs of staff has said that intelligence agencies are investigating whether the virus escaped from a lab or was the result of a naturally occurring outbreak but that analysts have ruled out reports that covid19 was manmadethe most logical place to investigate the virus origin has been completely sealed offat this point its inconclusive although the weight of evidence seems to indicate natural the general said on april 14 but we dont know for certainthe analysis said that the wet market explanation does not ring true because the first human diagnosis of coronavirus was made in someone who had no connection to the wet market in question and according to chinese reports no bats were sold at that particular marketat the same time several questionable actions and a growing paper trail provide clues that the virus actually escaped from a lab even as china begins to clamp down on those information streams related explosive new health ranger presentation streams live may 15 16 the depopulation trifecta coronavirus vaccines and 5gthe most logical place to investigate the virus origin has been completely sealed off from outside inquiry by the ccp the document states a reference to the chinese communist party a gag order to both places was issued on jan 1 2020 and a major general from the pla who is chinas top military microbiologist essentially took over the wuhan institute of virology since midjanuary it says another lab is also under scrutiny by us officials the times reported both have done extensive research on bat coronaviruses including those similar to the molecular makeup of covid19the times adds among the most significant circumstantial evidence identified in the report are the activities of shi zhengli a leader in bat coronavirus research with the wuhan institute of virology chinas only highsecurity level four research laboratoryms shi has been involved in bioengineering bat coronaviruses and a medical doctor named wu xiaohua launched an online campaign to expose ms shis workthere are plenty of skeptics however most of them democrats and big tech billionaires who are looking for any way they can to excuse china and blame the trump administration for the pandemicbut the facts keep leading serious analysts back to china and specifically wuhan city", + "https://www.naturalnews.com/", + "FAKE", + 0.0575995461865027, + 644 + ], + [ + "TO MAINTAIN WORLD DOMINATION, A GROUP OF PEOPLE DEVELOPED AND USED A BIOLOGICAL WEAPON", + "in front of us apparently is the ideal crime of the millennium to maintain world domination a small group of people a group of people developed and used biological weapons on a global scale there have never been such precedents in history and if there are many arguments in favor of this version then there is not one that refutes it convincingly this is what we must first take into account when speaking of genocide which had no historical analogies", + null, + "FAKE", + 0.205, + 80 + ], + [ + "Europe Is Waking Up From COVID-19 And Finding Itself In Economic Recession And Abuse Of Human Rights", + "europe is slowly waking up from the covid19 nightmare and finding itself in the biggest recession it ever faced before they bombarded us with figures showing deaths and infected people and we now see discussion about human rights abuses economy figures which results in social unrest and upheaval at least in germany and the netherlands the countries least affected if we compare them with italy spain and france the european commissioner for economic and financial affairs paolo gentiloni warned that 15 trillion euros could be needed to deal with the crisis he said that europe is going through the worst crisis since wwii which threatens the very existence of the eu as a single economic and political entitythe eurogroup the finance ministers of the eurozone nations have so far allocated only 500 billion euros for funding medical expenses and assisting small and mediumsized enterprises leaving europe in need of around 1 trillion euros morethat is the financial side of the crisis europe is nearly bankrupt the constitutions of various eumember countries are also under threat human rights are abused as nearly all our constitutional rights have been taken away our income the majority of small businesses and laborors on small or lowpaid jobs are closed or without work and in half of the cases they received some state help but the majority is still waiting for help the right to demonstrate is gone visiting your elderly parents is forbidden children havent been going to school for more than over a month already of course when this pandemic kills millions its a logical thing to do but with only thousands of course very terrible of people who died in each country mainly the elderly the measures taken have done a lot of harm financially and have taken our constitutional rights many videos and news emerge in the regular msm where for instance in the netherlands they use entertainment buildings such as where the eurovision song contest would take place they turned this place into a medical facility for covid19 patients but until today not a single patient was delivered to this place in germany according to the latest statistics on the regular msm 150000 beds are empty these beds are for patients with other diseases like cancer and heart diseases the doctors and nurses responsible for these departments have been sent home the covid19 facilities are 140000 beds approximately 25 are used the other beds are still waiting for patients where people are afraid to visit their general practitioner onethird fewer patients are received people who are afraid of the medicalcosts and covid19 will bring the health system in a difficult financialsituation germany is trying to find a new economy masks are the new hype every bundesland is trying to get them and even if there is a lack of them they force the people by law to wear one the netherlands is facing another problem the wildfires about 5g cell towers nearly every day a tower is set on fire these phenomena have swept the netherlands the uk and recently belgium the reason is the lack of information and a real discussion between governments and their citizens a real debate is needed to see if the people want 5g and a good explanation of the dangers or if there is no danger at all should be provided to them another problem is the exorbitant fines in germany and the netherlands where people have less or no income but should still pay fines the fines start at 150 euros also part of the new economy italy and spain got hit the hardest with covid19 italy has one of the oldest populations in the world but they got no help from their rich neighbors eu countries like germany and the netherlands but from russia cuba and china which the eus msm regularly tried to portray as a propaganda stunt and sure russia and cuba would present the bill these are words from the most capitalistic countries once united in the eu to blame countries who come to help the opposite situation would be much worse when the eu would come and help the amounts they would ask would be staggeringly high wars in the middle east are very costly for the eu the us was forcing nato to join in bombing afghanistan libya iraq and syriathe eu will not longer exist as we once knew and europe when it will not reverse their constitutional and economic measures will collapse financially and is heading for more unrest and upheaval", + "http://oneworld.press/", + "FAKE", + 0.005010521885521885, + 756 + ], + [ + "Newly Discovered evidence Shows WHO Plotted with Fauci & Birx To Destroy US Economy", + "it is clear now that the socalled experts at the ihme and cdc utterly failed in their everchanging models and predictions on the coronavirus\nin fact they were off by a month on the first covid19 deaths in the us and off by millions in their models that explain the breadth of the disease in the us\nthis impacted their decisions on how to confront the coronavirus pandemic in the united statesthe current draconian measures to battle this flulike virus were pushed by dr fauci and dr deborah birx when they marched into the oval office and warned president trump that he must lock down the economy for weeks to confront this invisible monster and they did this based on wildly inaccurate models and predictions\nfauci and birx told president trump 15 to 22 million americans would die if he did not shut down the economy\nthey were off by millions and now we know where fauci and birx got their plans to lockdown and destroy the us economy\nfrom the whodr ned nikolov discovered it was the world health organization who that proposed the lockdown rules for pandemicsthis is the same organization that misled the global community for weeks while the coronavirus spread throughout china and beyonddr nikolov asks why did who recommendpush governments to lock down their countries when there was no convincing evidence that such a draconian socialdistancing measure would work and while they knew that the economic consequences of a shutdown would be severethe who updated its pandemic rules in 2019 before the coronavirus today the global community is facing a certain economic depression thanks to these lockdown rulesand dr fauci and dr birx pushed this plan on president trump and the us based on faulty models and corrupt who regulations", + "https://www.citadelpoliticss.com/", + "FAKE", + -0.03433583959899749, + 295 + ], + [ + null, + "urgent health bulletin to the public ministry of healths emergency notification to the public that the coronavirus outbreak this time is very very serious fatal theres no cure once you are infected its spreading from china to various countries prevention method is to keep your throat moist do not let your throat dry up thus do not hold your thirst because once your membrane in your throat is dried the virus will invade into your body within 10 mins drink 5080cc warm water 3050cc for kids according to age everytime u feel your throat is dry do not wait keep water in hand do not drink plenty at one time as it doesnt help instead continue to keep throat moist till end of march 2020 do not go to crowded places wear mask as needed especially in train or public transportation avoid fried or spicy food and load up vitamin c the symptoms description are 1repeated high fever 2prolonged coughing after fever\n3children are prone 4adults usually feel uneasy headache and mainly respiratory related 5 highly contagious please forward to help others", + "Ministry of Health", + "FAKE", + 0.0046666666666666705, + 182 + ], + [ + "Coronavirus Panic: What the media is not telling you even if COVID-19 mortality rate is 3.4%", + "as of march 3 the coronavirus mortality rate is 34 according to an estimate by the who however the media is doing a good job at scaring people most people are panic instead of preparing for the virus unfortunately feardriven media hype is not supported by facts or sciencefirst the media is telling us to fear the coronavirus as if it were some ominous new pathogen of which medical science has no understanding however what the media failed to tell the public is what world health organization whonow also fanning the flames of fearexplained on its own website coronaviruses cov are a large family of viruses that cause illness ranging from the common cold to more severe diseases such as middle east respiratory syndrome merscov and severe acute respiratory syndrome sarscov a novel coronavirus ncov is a new strain that has not been previously identified in humanslet that sink in for a moment in other words even the common cold is caused by a corona virus there is no such thing then as the coronavirus this new strain of coronavirus causing an illness ominously labelled covid19 as if it were some sort of worldending plague from a science fiction movie is just a variation on an old epidemiological theme covid19 is actually shorthand for a coronavirus disease first discovered in 2019 here are some facts about coronovirus human coronaviruses which are named for the crownlike spikes on their surface were first identified in the mid1960s according to information from cdc the seven coronaviruses that can infect people arecommon human coronaviruses229e alpha coronavirusnl63 alpha coronavirusoc43 beta coronavirushku1 beta coronavirus other human coronaviruses merscov the beta coronavirus that causes middle east respiratory syndrome or mers sarscov the beta coronavirus that causes severe acute respiratory syndrome or sarssarscov2 the novel coronavirus that causes coronavirus disease 2019 or covid19according to cdc people around the world commonly get infected with human coronaviruses 229e nl63 oc43 and hku1 sometimes coronaviruses that infect animals can evolve and make people sick and become a new human coronavirus three recent examples of this are 2019ncov sarscov and merscov it is time to listen to doctors and not the mediaas who further observes human coronaviruses are common throughout the world the most recent coronavirus covid19 was first identified in wuhan china and is associated with mildtosevere respiratory illness with fever and cough but so is garden variety flu which causes vastly more deaths every year in every nation than covid19 has shown itself to be capable of causing yet the lying media breathlessly report rising death tolls from the sic coronavirus as if covid19 were the beginning of an apocalypse as of this writing there have been only 26 deaths from the coronavirus in the united states 19 of them occurring in the same senior living facility in washington state while the common flu has already claimed 17000 lives throughout the country since the current us flu season began last octobermoreover as the cdc noted before it too began contributing to the current hysteria influenza has resulted in between 9 million45 million illnesses between 140000810000 hospitalizations and between 1200061000 deaths annually since 2010 and for the 20192020 flu season the cdc had already predicted 3400000049000000 flu illnesses 1600000023000000 flu medical visits 350000620000 flu hospitalizations and 2000052000 flu deaths in the united states\nso it appears that the number of potential us deaths from covid19 will be a tiny drop in a large bucket of seasonal viral illness that truth is buried deep in the middle paragraphs of the lying medias fake news reports festooned with hysteriainducing headlines for example there is a fearmongering bloomberg news reportno coincidence therewith the terrifying headline there is a tipping point before coronavirus kills one has to wade five paragraphs into the piece to learn that about 1015 of mildtomoderate patients progress to severe and of those 1520 progress to criticalin other words critical cases of covid19 amount to around 15 of 15 or 225 assuming the death toll among that 225 is not 100 the probable death toll from covid19 is far lower than that for critical cases of common influenza as the cdc reported during the 20182019 flu season 900000 people were hospitalized and more than 80000 people died from flu thats a mortality rate just shy of nine percent for critical cases of the flu requiring hospitalization and the vast majority of those deaths are among the elderlyalso buried in the same article is the advice of jeffery k taubenberger senior investigator for the national institutes of health nih that the clinical picture suggests a pattern of disease thats not dissimilar to what we might see in influenzaremember the swine flu pandemic of 20092010 it was caused by the h1n1 flu virus which infected nearly 61 million people in the united states and caused 12469 deaths and up to 575400 deaths worldwide according to the cdcwhat about the rest of the world according to the cdc and the prestigious british medical journal the lancet worldwide seasonal flu kills 291000 to 646000 people each year that is the greatest viral threat to human life on the planet by many orders of magnitude is and always has been the common flu not any strain of coronavirus by comparison the more virulent but far less contagious coronaviruses causing mers and sars have claimed lives only in the hundreds worldwide with very few or zero reported cases after the initial outbreaks in 2012 and 2003 respectivelyhere too the lying media bury the truth one has to scour the internet to find in the obscure journal stat the telling comment by who directorgeneral tedros adhanom ghebreyesus that we dont even talk about containment for seasonal flu its just not possible but it is possible for covid19 we dont do contacttracing for seasonal flu but countries should do it for covid19 because it will prevent infections and save lives containment is possiblebut why should the lives of individuals and nations be turned upside down to contain a virus far less lethal or at least no more lethal than a typical flu which cannot be contained there is no sensible answer other than the promotion of a panic narrative that clearly serves aims other than those of public health and safetywhile the lying media consistently fail to mention the large death tolls from influenza nationally and worldwide every yearmounting right nowthey are striving to provoke worldwide mass quarantines travel restrictions employee furloughs and event cancellations based on 26 deaths thus far from covid19 in the united states and 3398 deaths worldwide the majority of which are in mainland china followed by south korea iran and italy compare this with the average of 646000 deaths worldwide per year from influenza in the end what is really terrifying is not covid19 but rather the prospect that the demagogues might well succeed in exploiting it to achieve their end the media is not about to let a good coronavirus go to wastepart of this story was originally published in fetzen fliegen we have removed all references to politics", + "https://techstartups.com/", + "FAKE", + 0.0026943498788158894, + 1176 + ], + [ + "Coronavirus Coverup – Exclusive Interview Of Former Virologist", + "coronavirus coverup exclusive interview of former virologist", + "https://greatgameindia.com/", + "FAKE", + 0, + 7 + ], + [ + null, + "coronavirus 2019ncovat treatment has a home remedy this chinese wuhan flu pneumonia has a nontraditional remedy that has successfully killed coronaviruses from the flu virus to pandemic diseases in vitro for over 100 years if colloidal silver has killed coronavirus strains in past laboratory test then the current coronaviruses should also be killed protect your immune system try colloidal silver 1100 ppm immune support the seven coronaviruses that can infect people are common human coronaviruses 1 human coronavirus 229 e alpha coronavirus 2 human coronavirus nl 63 alpha coronavirus or hcovnl 63 3 human coronavirus hcovoc 43 beta coronavirus and hcov229e 3 human coronavirus hku1 beta coronavirus and a novel coronavirus coronavirus hku1 covhku1 4 human coronavirus merscov beta coronavirus 5 human coronavirus sarscov beta coronavirus 6 human coronavirus 2019 novel never seen before coronavirus 2019ncov beta coronavirus is a virus more specifically a coronavirus the virus has made the gigantic mutation of now infecting human to human making it one of the most dangerous pandemic viruses colloidal silver is still the only known antiviral supplement to kill all seven of these human coronavirusespreventing the contraction of the novel coronavirus is elementary even though there are no vaccines available to combat these coronaviruses there is a home remedy of colloidal silver 100 ppm that has worked effectively on coronaviruses successfully for the last 123 years in the mean time sic there are some tips to prevent contracting the coronavirus use home remedy colloidal silver 1100 ppm to support immune system what is coronavirus treatment and prevention colloidal silver 1100 ppm home remedy for 123 years testing showed every known coronavirus killed in 4 min in vitro although there are 650000 deaths a year from enfluenza sic the regular flu and infects over 2000000 deaths from pneumonia a year these two viruses pale in comparison to the potential danger to the coronavirus flu it is very contagious and quick to kill colloidal silver kills all viruses ", + "http://www.n-ergetics.com/", + "FAKE", + 0.03267156862745097, + 325 + ], + [ + "'Coronavirus may have origins in China''s biological warfarelab in Wuhan''", + "lethal animal virus epidemic coronavirus which has sent panic waves across the world may have its origins at the epicentre of the epidemic wuhan in a laboratory which has been linked to chinas covert biological weapons programmethe washington times reported the link with chinas biological weapons quoting an israeli biological warfare expertaccording to the report radio free asia this week rebroadcast a local wuhan television report from 2015 showing chinas most advanced virus research laboratory known as the wuhan institute of virologythe laboratory is the only declared site in china capable of working with deadly virusesdany shoham a former israeli military intelligence officer who has studied chinese bio warfare said the institute is linked to beijings covert biological weapons programmecertain laboratories in the institute have probably been engaged in terms of research and development in chinese biological weapons at least collaterally yet not as a principal facility of the chinese bw alignment shoham told the washington timeswork on biological weapons is conducted as part of a dual civilianmilitary research and is definitely covert he saidfrom 1970 to 1991 he was a senior analyst with israeli military intelligence for biological and chemical warfare in the middle east and worldwide holding the rank of lieutenant colonelchina in the past has denied having any offensive biological weapons the state department in a report last year said it suspects that china has engaged in covert biological warfare workchinese officials so far have said the origin of coronavirus that has killed many and infected hundreds in central hubei province is not knowngao fu director of chinese center for disease control and prevention told statecontrolled media that initial signs as of thursday indicated that the virus originated from wild animals sold at a seafood market in wuhanas per the washington times one ominous sign said a us official is that false rumours since the outbreak began several weeks ago are being circulated on the chinese internet claiming the virus is part of a us conspiracy to spread germ weaponsthat could indicate that china is preparing propaganda outlets to counter future charges the new virus escaped from one of wuhans civilian or defense research laboratoriesthe world health organization is calling the microbe novel coronavirus 2019ncov at a meeting in geneva on thursday the organisation stopped short of declaring a public health emergency of international concernthe virus outbreak causes pneumonialike symptoms and prompted china to deploy military forces to wuhan this week in a bid to halt the spread all travel out of the city of 11 million people was haltedthe wuhan site has studied coronaviruses in the past including the strain that causes severe acute respiratory syndrome or sars h5n1 influenza virus japanese encephalitis and dengue researchers at the institute also studied the germ that causes anthrax a biological agent once developed in russiait is not known if the institutes array of coronaviruses are specifically included in biological weapons programme but it is possible shoham saidasked if the new coronavirus may have leaked shoham said in principle outward virus infiltration might take place either as leakage or as an indoor unnoticed infection of a person that normally went out of the concerned facility this could have been the case with the wuhan institute of virology but so far there isnt evidence or indication for such incidentthe former israeli military intelligence doctor also said suspicions were raised about the institute when a group of chinese virologists working in canada improperly sent samples to china of what he said were some of the deadliest viruses on earth including the ebola virusin a july article in the journal institute for defence studies and analyses shoham said the wuhan institute was one of four chinese laboratories engaged in some aspects of the biological weapons developmenthe identified the secure wuhan national biosafety laboratory at the institute as engaged in research on the ebola nipah and crimeancongo hemorrhagic fever virusesthe wuhan virology institute is under the chinese academy of sciences but certain laboratories within it have linkage with the pla or bwrelated elements within the chinese defense establishment he saidin 1993 china declared a second facility the wuhan institute of biological products as one of eight biological warfare research facilities covered by the biological weapons convention bwc which china joined in 1985the wuhan institute of biological products is a civilian facility but is linked to the chinese defense establishment and has been regarded to be involved in the chinese bw programme shoham saidthe us has compliance concerns with respect to chinese military medical institutions toxin research and development because of the potential dualuse applications and their potential as a biological threat the report addedthe biosafety lab is located about 20 miles from the hunan seaford market that reports from china say may have been origin point of the virus\nrutgers university microbiologist richard ebright told londons daily mail that at this point theres no reason to harbor suspicions that the lab may be linked to the virus outbreak", + "https://www.outlookindia.com/", + "FAKE", + 0.011515827922077919, + 825 + ], + [ + "Doctor Vladimir Zelenko: I treated 350 coronavirus patients with 100% success using Hydroxychloroquine Sulfate", + "march 28 2020 updates dr vladimir zelenko has now treated 699 coronavirus patients with 100 success and zero deaths using hydroxychloroquine sulfate zinc and zpakthe deadly coronavirus pandemic continues to claim thousands of lives around the world thats the bad news the good news is many doctors from around the world including the united states are successfully treating coronavirus patients with great success studies in france china and australia found that a combination of two antimalaria drugs hydroxychloroquine and azithromycin zpak have shown to cure coronavirus patients within six days with a 100 success ratein a video posted on youtube dr vladimir zelenko a boardcertified family practitioner in new york said he saw the symptom of shortness of breath resolved within four to six hoursim seeing a tremendous outbreak in this community he said my estimate is more than 60 currently have the infection thats based on the percentage of the tests that im getting back already zelenko explained thats probably around 20000 people probably morein the meantime while we are all talking about antimalaria drugs hydroxychloroquine and chloroquine italian doctors said that tolicizumab a drug used to treat moderate to severe rheumatoid arthritis has shown to be more effective than hydroxychloroquine in treating coronavirus patients", + "https://techstartups.com/", + "FAKE", + 0.26776094276094276, + 206 + ], + [ + "OUR IMMUNE SYSTEMS ARE UNDER ATTACK UNDER THE CORONAVIRUS LOCKDOWN, HERE’S HOW TO PROTECT IT", + "lets look at some practical issues here as there dont seem to be many around right now the coronavirus lockdown is an overall assault not only on everyones civil liberties but also on our very bodies and minds and therefore our overall health we have covered this fact before but our immune systems are under assault there are no guns here or weapons of mass destruction the pen is mightier than the sword and the media more powerful than that bill gates and his eugenic technocratic power hungry cronies are robbing everyone of essential vitamins people need to know this listen to dr fauci and dr brix and the worlds population will be immune deficient we are witnessing the break down of society as well as the breakdown of our own internal battle force the foot soldiers and the army of the immune system are being systematically attacked in this case the attack is enforced imprisonmentin this article we want to empower people to take control of their own immune system their body and spirit bad air bad food bad news followed by bad vaccines its quite a cocktail but there are answers and ways stress hormones are weakening our immune system whilst the statistics that keep us all locked down are flawed the immune system needs to be fed well this is the only way it is a delicate balance and the immune system must work together or it ends up weak on the ground level while still being bombarded from above and unable to contain viruses in general we can only get the essential vitamins and minerals that keep us healthy from natural sources this being food and sunlight fresh air and clean water vitamin d is one of the most essential hormones and is the fuel for our troops telling us to stay home is not only draconian and counter to our human natureall the cdc can say is that we must wait for bill gates vaccines so wash your hands and wear a maskthis is crazy when you look at human anatomy and the real science of how the body works vaccinations are risky if you look at the list of ingredients and the side effects personally we prefer to let nature do what nature is best at repair adapt develop its time to get back to life its time to start living againwe have 380 trillion viruses within us at any one given time whats a few more to a healthy immune system that never shows any of the symptoms of these trillions of viruseshere are some ways to help you we need vitamin a b c and d when you isolate people social isolation leads to weakening the immune system its a recipe to hurt peoples bodies you build up immunity by taking care of and boosting your immune system its as simple as that lets get our own armies readythe good news is that deaths in general are on the decline the death rate of viruses and cancer are decreasing thanks to the coronavirus for right now we are the middle of a war of statistics for it is these over inflated coronavirus numbers that keep everyone imprisoned in their own homes how to protect yourself against covid19 eat fresh organic fruit and vegetables avoid processed foods drink lots of filtered water 2 litres a day drink eloctrylized water if possible see more below\navoid sugar get at least 20 minutes a day of sunshine if you can get outside then you can get some natural vitamin d3k2\ntake one nasal spray per day of gcmaftake zinc hypochlorous acid hocl zinc zinc has been discussed before as an essential trace mineral for the immune system it is of course being downplayed by the media as its a naturally occurring substance and there are not billions to be made from it its only vaccines that can create this level of profit but zinc is an essential trace mineral according to a paper pubished on the us national library of medicine national institutes of health during the past 40 years it has become apparent that deficiency of zinc in humans is quite prevalent and may affect over two billion subjects in the developing world 35zinc affects multiple aspects of the immune system 10 zinc is crucial for normal development and function of cells mediating innate immunity neutrophils and nk cells macrophages also are affected by zinc deficiency phagocytosis intracellular killing and cytokine production all are affected by zinc deficiency zinc deficiency adversely affects the growth and function of t and b cells the ability of zinc to function as an antioxidant and stabilize membranes suggests that it has a role in the prevention of free radicalinduced injury during inflammatory processes macrophages there is much research and clinical evidence of the benefits of gcmaf to the immune system in fact it serves as the backbone to the immune system itself gcmaf is a naturally occurring protein known as gcmaf which stands for gc protein macrophage activating factor which has a remarkable effect on cancer autism and many other terminal conditions including viruses and pathogens the foot soldiers of your immune system are your tcells and your macrophages they need to stay healthy cytokines will be released in excess if the tcells or macrophages are not present to then clear them away afterwards this is an immune response to the over bombardment of the cytokines known as a cytokine storms this excessive overload is what causes inflammation or swelling to occur gcmaf gcmaf it is an amazing boost to anyones immune system and will reset this imbalance releasing the macrophages to come and clear the cytokine build up thus reduce swelling as well as attack and clear pathogens and virusues all 5 billion healthy humans make their own gcmaf as we carry millions of viruses around with us as well as cancer cells gcmaf will activate your macrophages to destroy disease in fact it has six different ways of attacking cancer alone it is essentially a vitamin d binding protein that activates the macrophages in the blood supply under lock down we are all under stress our gcmaf and macrophage production could well decline if so cytokines will build up causing swelling and tumors to grow please see this article for a real life story of how immunotherapy bulgarian gcmaf works for even the rarest types of cancer we have witnessed macrophages a type of immune cell which have been treated with gcmaf become empowered and consume human breast cancer cells and clusters of cancer cells are mercilessly devoured gcmaf immunotherapy has been described as the pacman of the immune system please watch the video below made under a time lapse microscope that shows immune cells attacking and eliminating viruses bacteria and cancer it shows in fast forward just how bulgarian gcmaf works on a cellular level as it constantly seeks out pathogens and destroys them even repairing nerve cell damage directions for usage to prevent covid19 and any one of the other trillions of virusesrecommended dosage is one nasal spray per day of gcmaf family of 3 have a spray everyday for one month cost is 90250 usd just under 3 bucks a day min 80 sprays per vialgcmaf contains no side effects please see this section for more on gcmaf and the macrophages hypochlorous acid hoclanother supplement you can take to ward off the virus is hoclwith over 30 years of research hocl is the scientific formula for hypochlorous acid a weak acid similar to that of a mild citrus juice hocl is made naturally by white blood cells in all mammals for healing and protection it is a powerful oxidant that is effective against invading bacteria fungi and viruses generating hocl by running electricity through a solution of saltwater was discovered in 1970s hocl is now used in healthcare food safety water treatment and general sanitation hypochlorite ion carries a negative electrical charge while hypochlorous acid carries no electrical charge the hypochlorous acid moves quickly able to oxidize the bacteria in a matter of seconds while the hypochlorite ion might take up to a half hour to do the same germ surfaces carry a negative electrical charge which results in a repulsion of the negatively charged hypochlorite ion to the area of the germ surfaces making hypochlorite ion less effective at killing germs the ratio of the two compounds is determined by the relative acidity ph of the water water treatment specialists can adjust the ph level to make hypochlorous acid more dominate as it is more efficient at killing bacteria the hypochlorous acids lack of electrical charge allows it to more efficiently penetrate the protective barriers surrounding germs making it at home there are several home electrolysis systems that have been developed that can generate stable hypochlorous acid using table salt and water distilled vinegar is sometimes added to lower the ph allowing for a solution of free chlorine more dominated by the hypochlorous acid molecule when choosing a home system an important factor to consider is the quality of the electrolysis cell higher quality systems may cost more but will last much longer due to the durability of the alloys in the metals used to make the cells electrolyzed water the eco one by ecoloxtech generates electrolyzed water for safe and natural cleaning and sanitation you can even use it to wash fruits vegetables eliminate all chemicals in the home with an ecofriendly alternative this is not a way of selling anything we do not profit from saying this information please watch the below video on how the immune system really works from roby mitchell md what protects us from covid and other viruses so the message here is boost our immune systems now as more doctors come forward please watch this video of dr shiva laying it all out for us again just in case youve missed it including kick backs for the covid19 virus tests for hospitals who are being monetised to show false results as well as kickbacks for ventilators which are dangerous 90 of people are dying from the ventilators mit phd crushes dr fauci exposes birx clintons bill gates and the who we do the research you decide all of the information in this article is for educational purposes and does not replace any other medical advise you may have been given", + "HealingOracle.ch", + "FAKE", + 0.09281305114638445, + 1735 + ], + [ + "the NIH researched chloroquine and concluded that it was effective at stopping the SARS coronavirus in its tracks", + "the nih researched chloroquine and concluded that it was effective at stopping the sars coronavirus in its tracks", + "https://onenewsnow.com/", + "FAKE", + 0.6, + 18 + ], + [ + "Dr. Vladimir Zelenko provides important update on three drug regimen of Hydroxychloroquine Sulfate, Zinc and Azithromycin (Z-Pak) he used to effectively treat 699 coronavirus patients with 100% success ", + "april 3 update in an exclusive interview dr zelenko provides an important update about the results of his covid19 patients 700 coronavirus patients treated with 999 success rate using hydroxychloroquine 1 outpatient died after not following protocol last week we updated you about the good news that came out of new york city after dr vladimir zelenko reported that he treated 699 coronavirus patients with 100 success using hydroxychloroquine sulfate zinc and zpak as mainstream media continues to downplay the positive effect of hydroxychloroquine sulfate zinc and zpak in the treatment of coronavirus patients we have been doing our best to get the words out there and hopefully save many livesin a new video post dr vladimir zelenko provides important update regarding the treatment regimen hes also sounded warning about shortage of the hydroxychloroquine sulfate zinc and zpak hes asking people to donate drugs not money to give to patients in new york to date dr zelenko has treated 350 covid19 patients using hydroxychloroquine 200mg 2x daily azithromycin 500mg 1x daily zinc sulfate 220mg 1x dailydr zelenko said there is 100 recovery rate with normal breathing restored within 34 hours and no intubation dr zelenko is one of the doctors in front line of new york city treating covid19 patients with antimalaria drugshere is the outcome data since 31820 32620 669 patients seen in my monroe ny practice with either test proven or clinically diagnosed corona infection zero deaths zeo intubations 4 hospitalizations for pneumonia patients are on iv antibiotics and improving dr zelenko statistics 699 cases 0 deaths 0 death rate patients treated with three drug regimen hydroxychloroquine 200mg twice a day for 5 days azithromycin 500mg once a day for five days zinc sulfate 220mg once a day for five days heres dr zelenkos advice treat as early and as aggressively as possible in the outpatient setting", + "https://techstartups.com/", + "FAKE", + 0.24330143540669857, + 309 + ], + [ + "Virus Outbreak: COVID-19 likely synthetic: Researchers say", + "escaped given chinas poor track record with lab safety management the virus is likely to have escaped from a facility public health researcher fang chitai cited the opinions of other researchers as saying humans likely synthesized covid19 although more studies are needed to be certain national taiwan university ntu public health researcher fang chitai 方啟泰 said yesterday as he cited the opinions of other researchersduring his presentation at a diseaseprevention education seminar held at ntu by the taiwan public health association which invited several public health study professors and researchers to give presentations that were also broadcast live via facebook fang addressed numerous hypotheses that have been raised by foreign researchers including the possibility that the virus was leaked from the wuhan institute of virologyhe has heard of many us and europebased researchers who are asserting that the virus was inextricably linked to the institute fang said adding this assertion was highly possible as the facilitys biosafety level 4 laboratory houses samples of sars ebola and other deadly virusesgiven chinas poor track record with lab safety management and overall lab culture it is highly likely that a virus escaped from the facility he cited the opinions of other researchers as sayinganalyses of covid19 have shown that is has a 96 percent genetic similarity with an ratg13 bat virus at the institute he saidwhile viruses need to be at least 99 percent similar to call them the same it is the differences in particular that have led researchers to speculate that covid19 was manufactured by modifying ratg13 he saida french research team that examined the gene sequence of covid19 has discovered that it has four more amino acids than other coronaviruses he said adding that this makes its transmission easierthe findings have led some in the research community to speculate about whether chinas scientists intended to develop a virus more difficult to contain than sars he saidif that was their intent they appeared to have succeeded fang addedmutations of viruses that occur naturally only result in small singular changes he said adding that one would not normally see a naturally mutated virus suddenly take on four amino acidswhile such a large mutation is not impossible it is highly unlikely he saidhowever only an internal administrative review at the institute could rule out whether the virus was manufactured there he saidsuch an investigation would require access to lab records which is unlikely to happen in the short term he added determining the source of the coronavirus has important implications for epidemiology fang said adding that if the virus does not occur in nature then it is likely to be entirely stamped out this is quite different from forms of influenza which cannot be easily eradicated because they are part of the ecosystem fang added", + "https://www.taipeitimes.com/", + "FAKE", + 0.002465367965367964, + 462 + ], + [ + null, + "bill gates predicted that the coronavirus pandemic would kill 65 million people and created a vaccine to eradicate africans", + "Facebook", + "FAKE", + 0, + 19 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "Trump Discovers Obama Was Funding Chinese Lab That May Have Spawned The Coronavirus", + "president donald trump said friday he will end federal funding for the wuhan institute of virology that some are claiming spawned the coronavirus at the daily coronavirus task force news conference the president was asked why the national institutes of health would include the chinese laboratory in a 37 million dollar stipend to conduct researchthe obama administration gave them a grant of 37 million ive been hearing about that weve instructed that if any grants are going to that area we are looking at it literally about an hour ago and also early in the morning trump said we will end the grant very quickly it was granted quite a while ago they were granted a substantial amount of money we are going to look at it and take a look but i understand it was a number of years ago when did you hear the grant was made the reporter informed the president that the funding was from 2015 trump noted the date and asked 2015 who was president then i wonderrepublican florida rep matt gaetz raised the issue of the funding earlier this week during an appearance on fox news tucker carlson tonight im against funding chinese research in our country but im sure against funding it in china the nih gives this 37 million grant to the wuhan institute of virology they then advertise that they need coronavirus researchers and following that coronavirus erupts in wuhan gaetz explainedon friday gaetz tweeted his gratitude to trump and health secretary alex azar thank you president realdonaldtrump and secazar for committing to end this america last grant given to labs in wuhan by the obama administrationreports claiming that the covid19 virus originated in the wuhan lab and was released to the local community have gained traction in the last week", + "https://www.citadelpoliticss.com/", + "FAKE", + 0.09393939393939393, + 300 + ], + [ + "Don’t buy China’s story: The coronavirus may have leaked from a lab", + "at an emergency meeting in beijing held last friday chinese leader xi jinping spoke about the need to contain the coronavirus and set up a system to prevent similar epidemics in the futurea national system to control biosecurity risks must be put in place to protect the peoples health xi said because lab safety is a national security issuexi didnt actually admit that the coronavirus now devastating large swathes of china had escaped from one of the countrys bioresearch labs but the very next day evidence emerged suggesting that this is exactly what happened as the chinese ministry of science and technology released a new directive entitled instructions on strengthening biosecurity management in microbiology labs that handle advanced viruses like the novel coronavirus\nread that again it sure sounds like china has a problem keeping dangerous pathogens in test tubes where they belong doesnt it and just how many microbiology labs are there in china that handle advanced viruses like the novel coronavirusit turns out that in all of china there is only one and this one is located in the chinese city of wuhan that just happens to be    the epicenter of the epidemicthats right chinas only level 4 microbiology lab that is equipped to handle deadly coronaviruses called the national biosafety laboratory is part of the wuhan institute of virologywhats more the peoples liberation armys top expert in biological warfare a maj gen chen wei was dispatched to wuhan at the end of january to help with the effort to contain the outbreakaccording to the pla daily gen chen has been researching coronaviruses since the sars outbreak of 2003 as well as ebola and anthrax this would not be her first trip to the wuhan institute of virology either since it is one of only two bioweapons research labs in all of china\ndoes that suggest to you that the novel coronavirus now known as sarscov2 may have escaped from that very lab and that gen chens job is to try and put the genie back in the bottle as it were it does to meadd to this chinas history of similar incidents even the deadly sars virus has escaped twice from the beijing lab where it was and probably is being used in experiments both manmade epidemics were quickly contained but neither would have happened at all if proper safety precautions had been taken\nand then there is this littleknown fact some chinese researchers are in the habit of selling their laboratory animals to street vendors after they have finished experimenting on themyou heard me rightinstead of properly disposing of infected animals by cremation as the law requires they sell them on the side to make a little extra cash or in some cases a lot of extra cash one beijing researcher now in jail made a million dollars selling his monkeys and rats on the live animal market where they eventually wound up in someones stomachalso fueling suspicions about sarscov2s origins is the series of increasingly lame excuses offered by the chinese authorities as people began to sicken and diethey first blamed a seafood market not far from the institute of virology even though the first documented cases of covid19 the illness caused by sarscov2 involved people who had never set foot there then they pointed to snakes bats and even a cute little scaly anteater called a pangolin as the source of the virus\ni dont buy any of this it turns out that snakes dont carry coronaviruses and that bats arent sold at a seafood market neither are pangolins for that matter an endangered species valued for their scales as much as for their meatthe evidence points to sarscov2 research being carried out at the wuhan institute of virology the virus may have been carried out of the lab by an infected worker or crossed over into humans when they unknowingly dined on a lab animal whatever the vector beijing authorities are now clearly scrambling to correct the serious problems with the way their labs handle deadly pathogenschina has unleashed a plague on its own people its too early to say how many in china and other countries will ultimately die for the failures of their countrys staterun microbiology labs but the human cost will be highbut not to worry xi has assured us that he is controlling biosecurity risks to protect the peoples health pla bioweapons experts are in chargei doubt the chinese people will find that very reassuring neither should we", + "http://archive.md/", + "FAKE", + 0.06355661881977673, + 749 + ], + [ + "No Weapon Left Behind: The American Hybrid War on China", + "the new silk roads or belt and road initiative bri were launched by president xi jinping in 2013 first in central asia nursultan and then southeast asia jakartaone year later the chinese economy overtook the us on a ppp basis inexorably year after year since the start of the millennium the us share of the global economy shrinks while chinas increaseschina is already the key hub of the global economy and the leading trade partner of nearly 130 nationswhile the us economy is hollowed out and the casino financing of the us government repo markets and all reads as a dystopian nightmare the civilizationstate steps ahead in myriad areas of technological research not least because of made in china 2025china largely beats the us on patent filings and produces at least 8 times as many stem graduates a year than the us earning the status of top contributor to global sciencea vast array of nations across the global south signed on to be part of bri which is planned for completion in 2049 last year alone chinese companies signed contracts worth up to 128 billion in largescale infrastructure projects in dozen of nationsthe only economic competitor to the us is busy reconnecting most of the world to a 21st century fully networked version of a trade system that was at its peak for over a millennia the eurasian silk roadsinevitably this state of things is something interlocking sectors of the us ruling class simply would not acceptbranding bri as a pandemicas the usual suspects fret over the stability of the chinese communist party ccp and the xi jinping administration the fact is the beijing leadership has had to deal with an accumulation of extremely severe issues a swineflu epidemic killing half the stock the trumpconcocted trade war huawei accused of racketeering and about to be prevented from buying us made chips bird flu coronavirus virtually shutting down half of chinaadd to it the incessant united states government hybrid war propaganda barrage trespassed by acute sinophobia everyone from sociopathic officials to selftitled councilors are either advising corporate businesses to divert global supply chains out of china or concocting outright calls for regime change with every possible demonization in betweenthere are no holds barred in the allout offensive to kick the chinese government while its downa pentagon cipher at the munich security conference once again declares china as the greatest threat economically and militarily to the us and by extension the west forcing a wobbly eu already subordinated to nato to be subservient to washington on this remixed cold war 20the whole us corporate media complex repeats to exhaustion that beijing is lying and losing control descending to subgutter racist levels hacks even accuse bri itself of being a pandemic with china impossible to quarantineall that is quite rich to say the least oozing from lavishly rewarded slaves of an unscrupulous monopolistic extractive destructive depraved lawless oligarchy which uses debt offensively to boost their unlimited wealth and power while the lowly us and global masses use debt defensively to barely survive as thomas piketty has conclusively shown inequality always relies on ideologywere deep into a vicious intel war from the point of view of chinese intelligence the current toxic cocktail simply cannot be attributed to just a random series of coincidences beijing has serial motives to piece this extraordinary chain of events as part of a coordinated hybrid war full spectrum dominance attack on china\nenter the dragon killer working hypothesis a bioweapon attack capable of causing immense economic damage but protected by plausible deniability the only possible move by the indispensable nation on the new great game chessboard considering that the us cannot win a conventional war on china and cannot win a nuclear war on chinaa biological warfare weaponon the surface coronavirus is a dream bioweapon for those fixated on wreaking havoc across china and praying for regime changeyet its complicated this report is a decent effort trying to track the origins of coronavirus now compare it with the insights by dr francis boyle international law professor at the university of illinois and author among others of biowarfare and terrorism hes the man who drafted the us biological weapons antiterrorism act of 1989 signed into law by george h w bushdr boyle is convinced coronavirus is an offensive biological warfare weapon that leaped out of the wuhan bsl4 laboratory although hes not saying it was done deliberatelydr boyle adds all these bsl4 labs by united states europe russia china israel are all there to research develop test biological warfare agents theres really no legitimate scientific reason to have bsl4 labs his own research led to a whopping 100 billion by 2015 spent by the united states government on biowarfare research we have well over 13000 alleged life science scientists testing biological weapons here in the united states actually this goes back and it even precedes 911dr boyle directly accuses the chinese government under xi and his comrades of a cover up from the getgo the first reported case was december 1 so theyd been sitting on this until they couldnt anymore and everything theyre telling you is a lie its propagandathe world health organization who for dr boyle is also on it theyve approved many of these bsl4 labs cant trust anything the who says because theyre all bought and paid for by big pharma and they work in cahoots with the cdc which is the united states government they work in cahoots with fort detrick fort detrick now a cuttingedge biowarfare lab previously was a notorious cia den of mind control experimentsrelying on decades of research in biowarfare the us deep state is totally familiar with all bioweapon overtones from dresden hiroshima and nagasaki to korea vietnam and fallujah the historical record shows the united states government does not blink when it comes to unleashing weapons of mass destruction on innocent civiliansfor its part the pentagons defense advanced research project agency darpa has spent a fortune researching bats coronaviruses and geneediting bioweapons now conveniently as if this was a form of divine intervention darpas strategic allies have been chosen to develop a genetic vaccine\nthe 1996 neocon bible the project for a new american century pnac unambiguously stated advanced forms of biological warfare that can target specific genotypes may transform biological warfare from the realm of terror to a politically useful tooltheres no question coronavirus so far has been a heavensent politically useful tool reaching with minimum investment the desired targets of maximized us global power even if fleetingly enhanced by a nonstop propaganda offensive and china relatively isolated with its economy semi paralyzedyet perspective is in order the cdc estimated that up to 429 million people got sick during the 20182019 flu season in the us no less than 647000 people were hospitalized and 61200 diedthis report details the chinese peoples war against coronavirusits up to chinese virologists to decode its arguably synthetic origin how china reacts depending on the findings will have earthshattering consequences literallysetting the stage for the raging twentiesafter managing to reroute trade supply chains across eurasia to its own advantage and hollow out the heartland american and subordinated western elites are now staring into a void and the void is staring back a west ruled by the us is now faced with irrelevance bri is in the process of reversing at least two centuries of western dominancetheres no way the west and especially the system leader us will allow it it all started with dirty ops stirring trouble across the periphery of eurasia from ukraine to syria to myanmarnow its when the going really gets tough the targeted assassination of maj gen soleimani plus coronavirus the wuhan flu have really set up the stage for the raging twenties the designation of choice should actually be wars wuhan acute respiratory syndrome that would instantly give the game away as a war against humanity irrespective of where it came from", + "https://www.strategic-culture.org/", + "FAKE", + 0.048507647907647916, + 1324 + ], + [ + "New evidence: Coronavirus “bioweapon” might have been a Chinese vaccine experiment gone wrong… genes contain “pShuttle-SN” sequences, proving laboratory origin", + "two days ago a paper published in the biorxivorg journal presented findings that indicated the coronavirus appeared to be engineered with key structural proteins of hiv the paper entitled uncanny similarity of unique inserts in the 2019ncov spike protein to hiv1 gp120\nand gag concluded that the engineering of coronavirus with such gene sequences was unlikely to be fortuitous in nature providing strong scientific support for the theory that the coronavirus is an engineered bioweapon that escaped laboratory containment in china the coverage of this paper by zero hedge led to a firestorm of denials by governments health authorities and the ciacontrolled media not surprisingly any suggestion that the coronavirus was engineered as a bioweapon had to be immediately eliminated the prevailing panic by the establishment sought to blame this outbreak on mother nature ie bats snakes seafood etc rather than the human beings who are playing around with deadly biological weapons that are designed to extinguish human life within hours twitter slapped down a permanent ban on zero hedge making sure the independent publisher could no longer reach its twitter audience after all the first casualty in any pandemic is the truth and jack dorsey is not only an enabler of pedophiles and child rapists hes also an authoritarian tyrant who wants to make sure the public is completely isolated from any non official reports about this pandemic jack dorsey has sided with communist china in other words is anyone surprised under the intense pressure the authors of the original paper have now withdrawn the paper and intend to revise it the publication that originally carried the paper now has a warning message stating this article has been withdrawn click here for details see original source link here no doubt the authors of this particular paper have been sufficiently threatened to revise their conclusions and an update of their original paper will soon be posted that effectively denounces everything they stated in the original paper the criminal wing of the science establishment strikes again of course and this tactic of threatening scientists with loss of funding being blacklisted or even physically threatened and killed is not unusual at all the cdc nih and even the epa have long histories of threatening scientists with being harmed or killed if they dont fall in line with the prevailing lies of the establishment in some cases theyve even imprisoned scientists for fraud after those individuals refused to retract their papers this has been especially common in research areas such as hiv aids pandemics and vaccines any scientist who finds fault with the establishment is destroyed imprisoned or murdered in fact ive interviewed one of the science victims of this named judy mikovits phd watch my full interview here but keep reading below first because theres a lot more to this story that will shock you now stunning new evidence has emerged that proves the coronavirus was definitely engineered in a laboratory and may have been deliberately injected into patients as part of a chinese vaccine experiment gone wrong as detailed by james lyonsweiler phd founder of the institute for pure and applied knowledge and author of 57 peerreviewed publications an analysis of the gene sequence for the coronavirus finds a peculiar sequence called pshuttlesn this sequence is is the remnant of a genetic engineering sequence thats used to insert genes into viruses and bacteria it provides irrefutable open source proof that the coronavirus now circulating in the wild was engineered in a laboratory every lab that has the gene sequence can see this for themselves its right out in the open which is why we describe this revelation as open source one thing we can say for certain is that this particular virus has a laboratory origin states lyonsweiler in a bombshell interview with del bigtree of the highwire see video below via brighteoncom since the video would be banned everywhere else this genomic evidence does not however prove whether it was produced as a bioweapon or as a vaccine experiment it could be either one according to lyonsweiler in fact if you then take that sequence and compare it to other proteins we find that its actually a sars protein that was put into a coronavirus for the purpose of making the vaccine work better thats why this element is in there to create a more reactogenic vaccine theres bombshell after bombshell in this interview especially at the 2759 and 3357 marks watch it exclusively at brighteoncom given that this information is of course being banned everywhere else by the antihuman tech giants all of which are now siding with communist china to cover up the truth if it was a vaccine experiment gone wrong then the world is in real trouble warns analyst why does it matter whether the origin was a chinese vaccine experiment vs a bioweapon as previous research has revealed when these sars insertions into the coronavirus are introduced into animal as part of a vaccine they create heightened fatalities when patients are exposed to other coronavirus strains in effect being vaccinated with this particular strain of coronavirus causes individuals to be more easily killed by the common cold and other nonpandemic coronavirus strains that are circulating in the wild tech giants now working over time to cover it all up censor all dissenting views and reinforce communist chinas official lies as expected the evil tech giants are working overtime to squelch any dissenting views and protect the vaccine industry as well as the bioweapons industry no blame can be allowed to fall on either one instead mother nature must be blamed for all this and that means the truth must be silenced a strategy that is of course routine for the vaccine industry every channel voice or website now exploring any human origins of this coronavirus strain whether related to vaccines or bioweapons is being rapidly deplatformed and attacked in some cases websites are being sabotaged and taken offline as happened with natural news last week we have since recovered which is why you are able to read this yet the antihuman tech giants are unified in their efforts to silence all information that contradicts official lies no matter how scientifically accurate that information may be watch this important video to learn more about big tech and how it ran a simulation complete with fake news censorship highlights to play out the exact scenario were all witnessing now a global pandemic of human origin infecting tens of thousands of people accompanied by a government coverup", + "https://www.dcclothesline.com/", + "FAKE", + 0.06105471795126968, + 1089 + ], + [ + "THE COVID-19 OUTBREAK IS NOT ABOUT A VIRUS, IT IS ABOUT POWER", + "china is partly back to normal so why drive people to suicide or hunt them like criminals because its not about the virus anymore but about power", + "http://oneworld.press/", + "FAKE", + 0.075, + 27 + ], + [ + "Communist China has been militarizing biotechnology for years, so their engineering of the coronavirus is no surprise", + "while the wuhan coronavirus covid19 has brought the dangers of globalization and especially continued relations with communist china to the forefront of everyones attention its important to note that the communist chinese regime has been experimenting with bioweapons for years\nin a report entitled defense one elsa kania from the center for a new american security cnas and national security expert wilson vorndick reveal how the chinese communist party ccp has a history of weaponizing biotechnology in its determined search for a bloodless victory over its adversaries\nthe militarization of biotech this report explains is nothing new for communist china which long ago developed a national strategy of militarycivil fusion emphasizing biology as a priority the peoples liberation army pla the report goes on to further explain could be at the forefront of expanding and exploiting this knowledgenone of this is speculation just to be clear the plas own writings and research make abundantly clear the regimes intent to change the form or character of conflict meaning the weapons of chinas war against its adversaries wont necessarily be fought with traditional tanks and missiles but rather with bioweapons such as the wuhan coronavirus covid19this is exactly what microsoft cofounder and eugenicist billionaire bill gates admitted to during a ted talk he gave back in 2015 during which he indicated that the greatest risk of global catastrophe isnt from an atomic bomb but rather from a virus which many believe was predictive programming for the current release of the wuhan coronavirus covid19listen below to the health ranger report as mike adams the health ranger discusses how 5g technology alters blood cell permeability in such a way as to amplify the damage caused by the wuhan coronavirus covid19 thus leading to more deathsnumerous chinese publications over the years have revealed chinas plan to unleash biological weapons on the worldin defense one it is explained that chinas central military commission has been engaged in all sorts of advanced futuristic weaponry not just within the realm of biologicals but also with brain science advanced biomimetic systems and materials human performance enhancement and socalled new concept biotechnologytheres also the artificial intelligence ai frontier which remains a major focus of chinas efforts to stamp out natural humanity and replace people with machines and robotsall sorts of medical and academic research out of china has likewise been heavily centered around the use of biotechnology as a weapon of war a 2010 report entitled war for biological dominance discussed the impact of biology on future warfare while another from the academy of military medical sciences revealed that biotechnology would become the new strategic commanding heights of chinas national defense\nin a 2017 book written by retired general and former president of national defense university zhang shibo biology is named as one of the seven new domains of warfare this same book explains thatmodern biotechnology development is gradually showing strong signs characteristic of an offensive capability adding that it could potentially be used for specific ethnic genetic attackschina is also heavily invested in crispr gene editing technology having undertaken at least a dozen clinical trials that involved genetically modifying human beings as we reported several years ago monsanto was the first to receive a crispr license to genetically modify food crops\nthe vastness of the human genome among the biggest of big data all but requires ai and machine learning to point the way for crisprrelated advances in therapeutics or enhancement defense one further reveals about how china is blending ai with gene editing to create even more advanced weapons systems\nmore of the latest news about the wuhan coronavirus covid19 is available at pandemicnews", + "https://www.naturalnews.com", + "FAKE", + 0.10334896584896587, + 606 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=%{customdata[3]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
source=%{customdata[2]}
polarity=%{customdata[4]}", + "legendgroup": "FAKE", + "marker": { + "color": "#EF553B" + }, + "name": "FAKE", + "offsetgroup": "FAKE", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 550, + 2523, + 2219, + 321, + 43, + 408, + 1653, + 288, + 82, + 9, + 12, + 1177, + 735, + 2982, + 2447, + 44, + 570, + 1125, + 576, + 586, + 594, + 581, + 91, + 447, + 42, + 43, + 192, + 1974, + 1724, + 47, + 699, + 812, + 215, + 28, + 3324, + 16, + 600, + 72, + 53, + 801, + 43, + 218, + 104, + 17, + 552, + 30, + 208, + 885, + 45, + 607, + 569, + 743, + 810, + 196, + 885, + 355, + 87, + 1571, + 22, + 96, + 155, + 1450, + 484, + 2392, + 2083, + 316, + 138, + 3066, + 88, + 995, + 23, + 1888, + 77, + 80, + 386, + 17, + 1074, + 164, + 62, + 262, + 11, + 463, + 126, + 37, + 148, + 25, + 65, + 2525, + 1266, + 603, + 18, + 2230, + 1174, + 536, + 750, + 587, + 2301, + 1326, + 32, + 369, + 302, + 33, + 18, + 73, + 879, + 423, + 1415, + 326, + 678, + 67, + 30, + 1522, + 136, + 1336, + 124, + 31, + 132, + 51, + 2482, + 598, + 13, + 38, + 2596, + 412, + 199, + 606, + 1494, + 2961, + 685, + 9, + 943, + 469, + 436, + 1129, + 13, + 100, + 1697, + 1129, + 175, + 56, + 77, + 37, + 583, + 19, + 169, + 45, + 609, + 3766, + 539, + 2488, + 3702, + 22, + 2717, + 146, + 593, + 13, + 395, + 154, + 17, + 518, + 14, + 475, + 617, + 70, + 1221, + 88, + 14, + 95, + 13, + 20, + 571, + 103, + 598, + 24, + 40, + 74, + 1597, + 1259, + 343, + 20, + 932, + 631, + 2239, + 1111, + 98, + 56, + 537, + 18, + 885, + 525, + 18, + 333, + 44, + 579, + 161, + 18, + 69, + 757, + 187, + 541, + 288, + 55, + 866, + 1614, + 1837, + 64, + 1140, + 57, + 59, + 649, + 89, + 116, + 196, + 3293, + 69, + 258, + 575, + 1284, + 2398, + 103, + 26, + 235, + 117, + 1440, + 88, + 999, + 45, + 88, + 1989, + 1192, + 1236, + 451, + 987, + 143, + 1027, + 1025, + 56, + 836, + 62, + 1474, + 637, + 35, + 75, + 1891, + 1728, + 1145, + 213, + 3991, + 239, + 17, + 1287, + 36, + 38, + 605, + 772, + 565, + 34, + 125, + 44, + 345, + 299, + 26, + 326, + 838, + 2698, + 86, + 624, + 2596, + 345, + 780, + 172, + 103, + 476, + 223, + 1317, + 1091, + 633, + 100, + 3209, + 3811, + 1141, + 40, + 134, + 833, + 607, + 473, + 17, + 85, + 1965, + 81, + 73, + 20, + 28, + 517, + 150, + 17, + 1608, + 369, + 53, + 636, + 2721, + 137, + 688, + 601, + 34, + 744, + 390, + 1256, + 231, + 88, + 141, + 45, + 649, + 59, + 72, + 154, + 38, + 86, + 139, + 3687, + 106, + 2315, + 326, + 552, + 984, + 18, + 11, + 208, + 491, + 59, + 650, + 20, + 437, + 596, + 247, + 1080, + 419, + 445, + 26, + 369, + 50, + 163, + 18, + 56, + 166, + 57, + 2917, + 29, + 2204, + 2488, + 1264, + 105, + 45, + 2908, + 1157, + 407, + 30, + 125, + 1975, + 1286, + 302, + 1890, + 11, + 22, + 301, + 1113, + 7, + 2747, + 218, + 187, + 2650, + 1203, + 1653, + 4085, + 1276, + 95, + 651, + 40, + 397, + 5184, + 352, + 2318, + 548, + 552, + 1259, + 278, + 192, + 788, + 942, + 174, + 858, + 1439, + 1229, + 2640, + 193, + 2316, + 275, + 2506, + 1920, + 1115, + 908, + 2466, + 47, + 33, + 482, + 119, + 76, + 2066, + 476, + 487, + 55, + 223, + 190, + 34, + 633, + 1080, + 43, + 504, + 2366, + 182, + 134, + 241, + 13, + 91, + 66, + 668, + 38, + 333, + 62, + 1081, + 1094, + 1129, + 970, + 144, + 2513, + 594, + 481, + 2912, + 26, + 1004, + 355, + 1240, + 1250, + 38, + 39, + 1063, + 32, + 110, + 2721, + 1852, + 339, + 885, + 112, + 17, + 1656, + 45, + 46, + 325, + 2062, + 151, + 111, + 597, + 204, + 47, + 32, + 666, + 45, + 481, + 1607, + 1999, + 142, + 55, + 1403, + 743, + 1697, + 497, + 89, + 36, + 31, + 968, + 15, + 116, + 43, + 11, + 24, + 3060, + 89, + 649, + 151, + 1465, + 649, + 461, + 566, + 597, + 499, + 1521, + 1599, + 93, + 77, + 345, + 842, + 885, + 2175, + 86, + 1222, + 17, + 1167, + 500, + 36, + 68, + 575, + 771, + 1314, + 1336, + 714, + 631, + 1703, + 32, + 62, + 1505, + 649, + 23, + 962, + 345, + 933, + 572, + 1382, + 180, + 2766, + 57, + 1000, + 25, + 55, + 82, + 1151, + 2484, + 73, + 972, + 264, + 1312, + 1161, + 170, + 56, + 1812, + 87, + 240, + 72, + 743, + 91, + 41, + 208, + 48, + 384, + 13, + 32, + 198, + 644, + 80, + 756, + 295, + 182, + 1176, + 7, + 325, + 825, + 206, + 1735, + 18, + 309, + 462, + 19, + 17, + 300, + 749, + 1324, + 1089, + 27, + 606 + ], + "y0": " ", + "yaxis": "y" + } + ], + "layout": { + "legend": { + "title": { + "text": "label" + }, + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "violinmode": "overlay", + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 1 + ] + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 1 + ], + "title": { + "text": "text_len" + } + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = px.violin(df, y='text_len', color='label',\n", + " violinmode='overlay', \n", + " hover_data=df.columns, template='plotly_white')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 19, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "alignmentgroup": "True", + "bingroup": "x", + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=Facebook
text_len=%{x}
count of text=%{y}", + "legendgroup": "Facebook", + "marker": { + "color": "#636efa" + }, + "name": "Facebook", + "nbinsx": 100, + "offsetgroup": "Facebook", + "orientation": "v", + "showlegend": true, + "type": "histogram", + "x": [ + 288, + 44, + 47, + 72, + 17, + 30, + 569, + 17, + 37, + 33, + 73, + 30, + 13, + 9, + 13, + 37, + 13, + 17, + 70, + 14, + 13, + 20, + 24, + 20, + 64, + 26, + 213, + 36, + 34, + 86, + 172, + 73, + 20, + 17, + 88, + 45, + 59, + 38, + 86, + 11, + 59, + 20, + 50, + 11, + 192, + 43, + 26, + 32, + 17, + 111, + 47, + 45, + 15, + 89, + 17, + 55, + 41, + 13, + 32, + 19, + 17 + ], + "xaxis": "x", + "y": [ + "how are more americans not completely outraged about what is going on in our countrydoes no one else find it weird that billgates an unelected official a computer guy with no medical degree seems to be the worlds leading health expert on the coronavirus telling everyone what we need to do when its safe to go back to normalits a little odd that the same guy who led event 201 just a few weeks before the first outbreak in china where they had an exercise preparing planning for a pandemic outbreak can you guess what virus they chose for this hypothetical exercise if you guessed the coronavirus you must be a psychicthis is the same guy thats going to profit the most from this virus with his vaccines hes pushing on everyone i can guarantee you right now they will make this a seasonal virus just like the flu so they can profit off the vaccines every yearin the past week hes been making the media rounds on cnn other shows saying we can all gather again once weve all been vaccinated in another interview he said that you will need to provide a vaccination certificate to work travelhe also has a company called id 2020 which will track everyone through microchips the size of a grain of rice that they inject into you with a needle it will track everywhere you go everything you do but please dont take my word for it google id 2020 this is not the future they have already done it in some countries even some workplacesmight i also add that this diabolical man is also the largest donor of the world health organization think about that folks there is an agenda", + "wuhan coronavirus may have originated in canada possible link to ongoing rcmp investigation of a chinese scientist at winnipegs national microbiology lab who made several trips to china including one to train scientists and technicians at who certified level 4 lab in wuhan china ", + "cdc warns that morchella the true morel mushroom could increase your chances contracting coronavirus disease 2019 covid19 by 200 if you all a loved one finds these growing this spring please do not disturb them report all sightings to me and i will dispose of the properly ", + "supermarkets are currently recalling toilet paper as the cardboard roll inserts are imported from china and there are strong fears the cardboard has been contaminated with the coronavirus the most recent purchases are deemed most likely to be contaminated if you have recently bought bulk supplies you are now at riskreturn that toilet paper and apply deep heat directly to your anus to kill any infection dont wait till its too late", + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "due to the corona virus the polls will remain closed and the election is cancelled trump will remain president for the next 4 yearswatch how quickly the epidemic is over", + "the elite are behind the corona virus and other manmade deadly viruses they will use those viruses to depopulate the world they want to depopulate the world because they will be controlling the world they already control america the world is nextwhen they control the world they will control all resources which includes the land you live on coal oil natural gas minerals fresh water and food to name a few the less people in the world the less people to control and use up those resourcesoverpopulation which is the same as depopulation is supported by bill gatesformer microsoft ceo bill gates is part of the elite bill gates supports and is an advocate of depopulation the bill and melinda gates foundation is instrumental in getting africans and third world countries to accept vaccination his foundation has sterilized thousands of women in africa without their knowledge via vaccinesbill gates is a perfect vessel of satan because he appears trustworthy bill gates is far from being trusted this devil conducted vaccination campaigns that crippled and killed countless people in third world countries helped fund the development of gmo mosquitoes that can carry deadly viruses had a polio vaccine program which caused thousands of deaths bill gates funded the pirbright institute which owns the patent on the coronavirus\nhe uses his foundation as a front to push vaccination convincing the masses to accept vaccination will fulfill the elites agenda of depopulating the world via biological weaponsin order to make ebola zika corona and other manmade viruses a global epidemic they must convince the masses to accept vaccination a few people infected with these viruses will not be enough to make it an epidemic therefore they have to use vaccination as the scapegoat to get millions of people to accept a vaccine that will contain the virusthe vaccine will have small amounts of the virus in it doctors describe it as tricking the body to fight the virus the same method is used with the flu shot the flu shot contains fluvirus particles in itthis deceptive method will allow these vessels of satan to vaccinate people with a vaccine that contains the virus this will allow the elite to hide their fingerprints on how so many people got infected sick and died from ebola zika corona and other manmade viruses this deceptive method is not new they used it before with syphilis and aids in africamost people will not believe that this is orchestrated and by design that unbelief will be the reason millions of people will get vaccinated and fall into their trap of vaccination its a catch22 if you dont get vaccinated you may get contaminated from someone who actually has the virus if you get vaccinated you may instantly become infected because the vaccine might contain the fullblown virusthe elite are the fake jews who control the usa whats sad is there is nothing you can do about this god will allow these fake jews to carry out their agenda upon america and the world in order to judge the world many will say this is a conspiracy theory because they reject what jesus said in rev 2939\ntrump is part of and a puppet of the elite he knows the coronavirus is part of the depopulation agenda after trumps removal from the oval office more chaos is planned by the elite read it here wakeupeepsatwebpagescomelitehtml with sabrina robinson", + "nurses reporting hospitals are empty mostly fake crisis for real goverment sic planned agendas wait for them", + "just in case you are wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gonna kill you all so go buy mask", + "viral posts on social media claim covid19 is no worse than other outbreaks that have occurred in every election year suggesting that the new coronavirus is being hyped to hurt president donald trump", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "did some research today and made this map overlay showing the new 5g towers and coronavirus outbreaks weird that they center around eachother\nplz share dont fall for this bs", + "health authorities have recommended shaving their beards to protect themselves from the coronavirus ", + "coronavirus is the result of poisoning caused by 5g", + "coronavirus hoax fake virus pandemic fabricated to coverup global outbreak of 5g syndrome", + "tonight from 1140 pm nobody should be on the street doors and windows should remain closed as 5 helicopters spray disinfectants into the air to eradicate the coranavirus please process this information to all of your contacts", + "covid19 is not a virus it is an exosome influenced by electromagnetic contamination", + "gates wants us microchipped and fauci wants us to carry vax certificates did you nazi that coming", + "the tragic death of kobe bryant and his daughter in a helicopter crash was in fact an illuminati blood sacrifice ahead of a mass murder plot ie coronavirus that would allow the cult to introduce a dangerous new vaccinethe scientificallybaseless conspiracy theory that 5g is linked to coronavirus and talks about coronavirusrelated disinformation peddled by qanon a farright conspiracy theory alleging a deep state plot against us president donald trump", + "has anyone else noticed the covid19 scare started immediately after impeachment failedits all planned", + "gargling with warm water that contains salt or vinegar will eliminate the virus", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c", + "coronavirus could be a 5g prison for children with global lockdowns being used by authorities as a ruse to install 5g infrastructure in schools", + "i bet you didnt know dr fauci sat on microsofts board of directors and that bill gates was his boss", + "it looks like the coronavirus is being weaponized as yet another element to bring down donald trumpnow i want to tell you the truth about the coronavirus im dead right on this the coronavirus is the common cold folksthe driveby media hype up this thing as a pandemic limbaugh continued ninetyeight percent of people who get the coronavirus survive its a respiratory system virus", + "cdc officials required the student to be quarantined after she was airlifted to a nearby hospital cdc officials say she exhibits every early sign of covid19", + "be understing a japanese doctor offers excellent advice on preventing covid19 new coronavirus may not show symptoms for several days 1427 days how can one know if a person is infected by the time he has a fever and or a cough and goes to the lung hospital the patient may have 50 fibrosisand then its too late taiwanese experts provide simple selfmonitoring that we can do every morning take a deep breath and hold your breath for more than 10 seconds if you can do this successfully without coughing and without difficulty without anxiety and chest tightnessit shows that you do not have fibrosis and generally indicate no infection check yourself every morning in a fresh air environment the japanese physician treating covid19 provides the best advice on preventing this everyone should make sure the mouth and throat are always moistdrink some water every 15 minutes why not even if the virus gets into your mouth drinking water or other fluids will help wash it down the esophagus into the stomach when the virus is in the stomach the hydrochloric acid in your stomach will kill the germs if you do not drink enough water regularly the virus can enter the airways and into your lungs which is very dangerous to get", + "just in case youre wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gunna kill you all so go buy mask", + "you should drink water every quarter of an hour to keep your mouth and throat moist because the virus will pass through the esophagus directly into the stomach where stomach acids destroy the virus", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "to all my wonderful people in liberia while you are under lockdown open your eyes please if you see anything like this being installed in your communities take a picture and post it online and engage the government this is how some of the 5g mastspolesatenaes look these things beam radiation that will make you sick and kill you in 3 to 6 months and the symptoms are just like the novel coronavirus but they do even more damage to the human body like respitory fatality heart deformed babes destruction of sperm teeth and much more the mainline media is heavily paid to disassociate 5g and coronavirus and many times shame anybody that does but it evil if our government put you indoors and letor telecom companies do things that bring harm religious leaders good politicians business people and the general public if you see these 5g masts you better get out of the house and talk and stop it there are other priorities that need attention not high technology that destroys", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "the coronavirus was created as a biological weapon to destroy a country and now humanity is paying for trumps mistake", + "while people were distracted by the coronavirus companies were working flat out to install new 5g masts", + "right before corona virus cameceo of disney stepped down ceo of tinder hinge okcupid match all stepped down ceo of hulu stepped down ceo of medmen stepped down ceo of l brands like victoria secret bath and body works stepped down ceo of salesforces stepped down ceo of harley davidson stepped down ceo of ibm stepped down ceo of t mobile stepping down ceo of linkedin stepping down ceo of mastercard is stepping down and soooooo many more but lets just stick with these that most know about", + "corona virus before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water salt or vinegar eliminates the virus", + "a gene sequence in the 2019ncov genome which he named ins1378 is similar to part of the sequence of the pshuttlesn expression vector pshuttlesn was created in a laboratory as part of an effort to produce a potential sars vaccine based on this observation he posited that 2019ncov was a manmade virus that arose from the sars vaccine experiments", + "with this virus and any virus remember it hates the sun they die with heat hot showers baths sauna please hydrate increase c zinc vit d3 a selenium iodine gargle w warm salt water multiple times a day", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "a vaccine meant for cattle can be used to fight covid19", + "can anyone explain to me why they made a coronavirus vaccine a year ago for k9s but are acting like this shit is a new virus that came from china just recently if they have a vaccine for dogs dont you think they would have one for humans too wtf is the government tring to pull on us really ", + "professor dr tasuku honjo caused a sensation today in the media by saying that the corona virus is not natural", + "drinking hot water and sun exposure and stay away from ice cream and eating cold\n\ncorona virus when it falls on the fabric remains 9 hours so washing clothes or being exposed to the sun for two hours meets the purpose of killing it reads the handout in the photo", + "the cdc recommends men shave their beards to protect against coronavirus", + "the chinese were all given mandatory vaccines last fall the vaccine contained replicating digitized controllable rna which were activated by 60ghz mm 5g waves that were just turned on in wuhan as well as all other countries using 60ghz 5g with the smart dust that everyone on the globe has been inhaling through chemtrails thats why when they say someone is cured the virus can be digitally reactivated at any time and the person can literally drop dead the diamond prince cruise was specifically equiped with 60ghz 5g its basically remote assassination americans are currently breathing in this smart dust through chemtrails think of it like this add the combination of vaccines chemtrails smart dust and 5g and your body becomes internally digitized and can be remotely controlled a persons organ functions can be stopped remotely if one is deemed noncompliant wuhan was a test run for id2020 the elite call this 60ghz mm 5g wave the v wave virus to mock us trump has created a space force in part to combat this weaponized technology we need to vehemently reject the attempted mandatory vaccine issue because our lives depend on it", + "the coronavirus will come and go but the government will never forget how easy it was to take control of your life to control every sporting event classroom restaurant table and church pew and even if you are allowed to leave your house ", + "why does coronavirus have a patent why does any virus have a patent why is there a vaccine already being developed us patent for coronavirus patent", + "a husband and wife chinese spy team were recently removed from a level 4 infectious disease facility in canada for sending pathogens to the wuhan facility the husband specialized in coronavirus research", + "must see worker exposes circuit boards being installed in 5g towers whats on them will surprise you ", + "those who received the influenza vaccine are either more likely to test positive for the virus or to become sick with it children who received the trivalent threestrain flu vaccine that year had a higher incidence rate of coronavirus fyi if you got the flu shot you will likely test positive for corona remember they doubled the flu shot dose this year and even pushed it at the golden globes the post said the quadrivalent flu shot for the 20192020 season has a trivalent strain of coronavirus in itcoronavirus outbreaks in china and italy were due to increased vaccination vaccine derived virus interference was significantly associated with coronavirus the study states", + "people have been trying to warn us about 5g for years petitions organizations studieswhat were going thru is the affects of radiation 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling lte", + "president trump just announced that the biological lab in wuhan where the covid19 virus was created was funded by president barak sp hussein obama in 2015 to the tune of 3800000 american dollars this fact directly links obama to all 150000 deaths around the world", + "drinking lemon water could kill the virus due to the vitamin c found in lemon", + "wuhan woman says coronavirus patients cremated alive over 1000 hubei police infected with virus factories and businesses in china resume work some scenes of massive gatherings of chinese people are raising concerns of the outbreak situation worsening\ninside one prison in eastern china guards must sign forms promising not to spread socalled rumors about the situation inside the prison amid the coronavirus outbreakas the coronavirus continues to spread globally four countries in the middle east reported their first cases while italys increasing numbers of cases spread fear across europe", + "italy has decided not to treat their elderly for this virus that my friends is socialized healthcare", + "before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water and salt or vinegar eliminates the virus spread this information because you can save someone with this information", + "take a deep breath and hold your breath for more than 10 seconds if you complete it successfully without coughing without discomfort stiffness or tightness etc it proves there is no covid19 caused fibrosis in the lungs basically indicates no infection", + "every election year has a disease coronavirus has a contagion factor of 2", + "extensive research our findings show consuming alcoholic beverages may help to reduce the risk of infection by the novel coronavirus vodka for drinking cleaning and sanitizing alcohol can ward off the virus", + "bill gates predicted that the coronavirus pandemic would kill 65 million people and created a vaccine to eradicate africans", + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming" + ], + "yaxis": "y" + }, + { + "alignmentgroup": "True", + "customdata": [ + [ + "Bill Gates Personally Profits From A COVID-19 Vaccine And He Owns A Company That Will Put A Tracking Microchip In You", + "how are more americans not completely outraged about what is going on in our countrydoes no one else find it weird that billgates an unelected official a computer guy with no medical degree seems to be the worlds leading health expert on the coronavirus telling everyone what we need to do when its safe to go back to normalits a little odd that the same guy who led event 201 just a few weeks before the first outbreak in china where they had an exercise preparing planning for a pandemic outbreak can you guess what virus they chose for this hypothetical exercise if you guessed the coronavirus you must be a psychicthis is the same guy thats going to profit the most from this virus with his vaccines hes pushing on everyone i can guarantee you right now they will make this a seasonal virus just like the flu so they can profit off the vaccines every yearin the past week hes been making the media rounds on cnn other shows saying we can all gather again once weve all been vaccinated in another interview he said that you will need to provide a vaccination certificate to work travelhe also has a company called id 2020 which will track everyone through microchips the size of a grain of rice that they inject into you with a needle it will track everywhere you go everything you do but please dont take my word for it google id 2020 this is not the future they have already done it in some countries even some workplacesmight i also add that this diabolical man is also the largest donor of the world health organization think about that folks there is an agenda", + "Facebook", + "FAKE", + 0.06214985994397759, + 288 + ], + [ + "Chinese ‘spies’ stole deadly coronavirus from Canada", + "wuhan coronavirus may have originated in canada possible link to ongoing rcmp investigation of a chinese scientist at winnipegs national microbiology lab who made several trips to china including one to train scientists and technicians at who certified level 4 lab in wuhan china ", + "Facebook", + "FAKE", + 0, + 44 + ], + [ + "Wild Edibles Missouri", + "cdc warns that morchella the true morel mushroom could increase your chances contracting coronavirus disease 2019 covid19 by 200 if you all a loved one finds these growing this spring please do not disturb them report all sightings to me and i will dispose of the properly ", + "Facebook", + "FAKE", + 0.3499999999999999, + 47 + ], + [ + "Supermarkets Are Recalling Coronavirus-Infected Toilet Paper", + "supermarkets are currently recalling toilet paper as the cardboard roll inserts are imported from china and there are strong fears the cardboard has been contaminated with the coronavirus the most recent purchases are deemed most likely to be contaminated if you have recently bought bulk supplies you are now at riskreturn that toilet paper and apply deep heat directly to your anus to kill any infection dont wait till its too late", + "Facebook", + "FAKE", + 0.09722222222222221, + 72 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "U.S. Election Is Canceled Due To Coronavirus", + "due to the corona virus the polls will remain closed and the election is cancelled trump will remain president for the next 4 yearswatch how quickly the epidemic is over", + "Facebook", + "FAKE", + 0.027083333333333327, + 30 + ], + [ + null, + "the elite are behind the corona virus and other manmade deadly viruses they will use those viruses to depopulate the world they want to depopulate the world because they will be controlling the world they already control america the world is nextwhen they control the world they will control all resources which includes the land you live on coal oil natural gas minerals fresh water and food to name a few the less people in the world the less people to control and use up those resourcesoverpopulation which is the same as depopulation is supported by bill gatesformer microsoft ceo bill gates is part of the elite bill gates supports and is an advocate of depopulation the bill and melinda gates foundation is instrumental in getting africans and third world countries to accept vaccination his foundation has sterilized thousands of women in africa without their knowledge via vaccinesbill gates is a perfect vessel of satan because he appears trustworthy bill gates is far from being trusted this devil conducted vaccination campaigns that crippled and killed countless people in third world countries helped fund the development of gmo mosquitoes that can carry deadly viruses had a polio vaccine program which caused thousands of deaths bill gates funded the pirbright institute which owns the patent on the coronavirus\nhe uses his foundation as a front to push vaccination convincing the masses to accept vaccination will fulfill the elites agenda of depopulating the world via biological weaponsin order to make ebola zika corona and other manmade viruses a global epidemic they must convince the masses to accept vaccination a few people infected with these viruses will not be enough to make it an epidemic therefore they have to use vaccination as the scapegoat to get millions of people to accept a vaccine that will contain the virusthe vaccine will have small amounts of the virus in it doctors describe it as tricking the body to fight the virus the same method is used with the flu shot the flu shot contains fluvirus particles in itthis deceptive method will allow these vessels of satan to vaccinate people with a vaccine that contains the virus this will allow the elite to hide their fingerprints on how so many people got infected sick and died from ebola zika corona and other manmade viruses this deceptive method is not new they used it before with syphilis and aids in africamost people will not believe that this is orchestrated and by design that unbelief will be the reason millions of people will get vaccinated and fall into their trap of vaccination its a catch22 if you dont get vaccinated you may get contaminated from someone who actually has the virus if you get vaccinated you may instantly become infected because the vaccine might contain the fullblown virusthe elite are the fake jews who control the usa whats sad is there is nothing you can do about this god will allow these fake jews to carry out their agenda upon america and the world in order to judge the world many will say this is a conspiracy theory because they reject what jesus said in rev 2939\ntrump is part of and a puppet of the elite he knows the coronavirus is part of the depopulation agenda after trumps removal from the oval office more chaos is planned by the elite read it here wakeupeepsatwebpagescomelitehtml with sabrina robinson", + "Facebook", + "FAKE", + -0.028698206555349413, + 569 + ], + [ + "Pictures and reports of “empty hospitals” prove COVID-19 spread is “fake crisis for real government planned agendas.", + "nurses reporting hospitals are empty mostly fake crisis for real goverment sic planned agendas wait for them", + "Facebook", + "FAKE", + -0.13333333333333333, + 17 + ], + [ + null, + "just in case you are wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gonna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 37 + ], + [ + "COVID-19 is no worse than other outbreaks that have occurred in “every election year,” suggesting that the new coronavirus is being “hyped” to hurt President Donald Trump.", + "viral posts on social media claim covid19 is no worse than other outbreaks that have occurred in every election year suggesting that the new coronavirus is being hyped to hurt president donald trump", + "Facebook", + "FAKE", + 0.06117424242424242, + 33 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + "cases of coronavirus in the United States linked to the rollout of 5G, the fifth-generation wireless technology", + "did some research today and made this map overlay showing the new 5g towers and coronavirus outbreaks weird that they center around eachother\nplz share dont fall for this bs", + "Facebook", + "FAKE", + -0.15454545454545454, + 30 + ], + [ + "The CDC recommends men shave their beards to be protected against the new coronavirus", + "health authorities have recommended shaving their beards to protect themselves from the coronavirus ", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + null, + "coronavirus is the result of poisoning caused by 5g", + "Facebook", + "FAKE", + 0, + 9 + ], + [ + null, + "coronavirus hoax fake virus pandemic fabricated to coverup global outbreak of 5g syndrome", + "Facebook", + "FAKE", + -0.16666666666666666, + 13 + ], + [ + "helicopters being used to spray disinfectants into the air to eradicate the coronavirus", + "tonight from 1140 pm nobody should be on the street doors and windows should remain closed as 5 helicopters spray disinfectants into the air to eradicate the coranavirus please process this information to all of your contacts", + "Facebook", + "FAKE", + -0.1, + 37 + ], + [ + "COVID-19 is an exosome, and the pandemic is related to 5G signals", + "covid19 is not a virus it is an exosome influenced by electromagnetic contamination", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vax certificates did you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + null, + "the tragic death of kobe bryant and his daughter in a helicopter crash was in fact an illuminati blood sacrifice ahead of a mass murder plot ie coronavirus that would allow the cult to introduce a dangerous new vaccinethe scientificallybaseless conspiracy theory that 5g is linked to coronavirus and talks about coronavirusrelated disinformation peddled by qanon a farright conspiracy theory alleging a deep state plot against us president donald trump", + "Facebook", + "FAKE", + -0.30340909090909096, + 70 + ], + [ + " The Coronavirus Scare Start Immediately After Impeachment", + "has anyone else noticed the covid19 scare started immediately after impeachment failedits all planned", + "Facebook", + "FAKE", + 0, + 14 + ], + [ + "Gargling With Salt Water & Vinegar Kill The Virus", + "gargling with warm water that contains salt or vinegar will eliminate the virus", + "Facebook", + "FAKE", + 0.6, + 13 + ], + [ + "The coronavirus pandemic can be dramatically slowed, or stopped, with the immediate widespread use of high doses of vitamin C", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c", + "Facebook", + "FAKE", + 0.16, + 20 + ], + [ + "Coronavirus – 5G Prison For Children", + "coronavirus could be a 5g prison for children with global lockdowns being used by authorities as a ruse to install 5g infrastructure in schools", + "Facebook", + "FAKE", + 0, + 24 + ], + [ + "Dr. Fauci sat on Microsoft’s board of directors.", + "i bet you didnt know dr fauci sat on microsofts board of directors and that bill gates was his boss", + "Facebook", + "FAKE", + 0, + 20 + ], + [ + "The coronavirus is the common cold, folks", + "it looks like the coronavirus is being weaponized as yet another element to bring down donald trumpnow i want to tell you the truth about the coronavirus im dead right on this the coronavirus is the common cold folksthe driveby media hype up this thing as a pandemic limbaugh continued ninetyeight percent of people who get the coronavirus survive its a respiratory system virus", + "Facebook", + "FAKE", + -0.19396825396825398, + 64 + ], + [ + "Dallas student celebrating spring break at Louie's Backyard on South Padre island suddenly collapses.", + "cdc officials required the student to be quarantined after she was airlifted to a nearby hospital cdc officials say she exhibits every early sign of covid19", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + "Great prevention advice , please share with all your loved ones.", + "be understing a japanese doctor offers excellent advice on preventing covid19 new coronavirus may not show symptoms for several days 1427 days how can one know if a person is infected by the time he has a fever and or a cough and goes to the lung hospital the patient may have 50 fibrosisand then its too late taiwanese experts provide simple selfmonitoring that we can do every morning take a deep breath and hold your breath for more than 10 seconds if you can do this successfully without coughing and without difficulty without anxiety and chest tightnessit shows that you do not have fibrosis and generally indicate no infection check yourself every morning in a fresh air environment the japanese physician treating covid19 provides the best advice on preventing this everyone should make sure the mouth and throat are always moistdrink some water every 15 minutes why not even if the virus gets into your mouth drinking water or other fluids will help wash it down the esophagus into the stomach when the virus is in the stomach the hydrochloric acid in your stomach will kill the germs if you do not drink enough water regularly the virus can enter the airways and into your lungs which is very dangerous to get", + "Facebook", + "FAKE", + 0.14879040404040406, + 213 + ], + [ + "A bovine vaccine can be used to inoculate people against coronavirus", + "just in case youre wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gunna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 36 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "you should drink water every quarter of an hour to keep your mouth and throat moist because the virus will pass through the esophagus directly into the stomach where stomach acids destroy the virus", + "Facebook", + "FAKE", + -0.05, + 34 + ], + [ + "Eating bananas is a preventative against the COVID-19 coronavirus disease", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + null, + "to all my wonderful people in liberia while you are under lockdown open your eyes please if you see anything like this being installed in your communities take a picture and post it online and engage the government this is how some of the 5g mastspolesatenaes look these things beam radiation that will make you sick and kill you in 3 to 6 months and the symptoms are just like the novel coronavirus but they do even more damage to the human body like respitory fatality heart deformed babes destruction of sperm teeth and much more the mainline media is heavily paid to disassociate 5g and coronavirus and many times shame anybody that does but it evil if our government put you indoors and letor telecom companies do things that bring harm religious leaders good politicians business people and the general public if you see these 5g masts you better get out of the house and talk and stop it there are other priorities that need attention not high technology that destroys", + "Facebook", + "FAKE", + 0.10191964285714285, + 172 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + "Russian President Vladimir Putin has said that the United States created the coronavirus as a biological weapon to end China", + "the coronavirus was created as a biological weapon to destroy a country and now humanity is paying for trumps mistake", + "Facebook", + "FAKE", + -0.2, + 20 + ], + [ + "while people were “distracted by the coronavirus” companies were “working flat out” to install new 5G masts.coronavirus being a “distraction” to install 5G infrastructure", + "while people were distracted by the coronavirus companies were working flat out to install new 5g masts", + "Facebook", + "FAKE", + 0.05568181818181818, + 17 + ], + [ + "CEO Resignations Are Linked To Global Conspiracy", + "right before corona virus cameceo of disney stepped down ceo of tinder hinge okcupid match all stepped down ceo of hulu stepped down ceo of medmen stepped down ceo of l brands like victoria secret bath and body works stepped down ceo of salesforces stepped down ceo of harley davidson stepped down ceo of ibm stepped down ceo of t mobile stepping down ceo of linkedin stepping down ceo of mastercard is stepping down and soooooo many more but lets just stick with these that most know about", + "Facebook", + "FAKE", + -0.02033730158730164, + 88 + ], + [ + null, + "corona virus before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water salt or vinegar eliminates the virus", + "Facebook", + "FAKE", + 0.6, + 45 + ], + [ + "The novel coronavirus contains “pShuttle-SN” sequence, proving laboratory origin.", + "a gene sequence in the 2019ncov genome which he named ins1378 is similar to part of the sequence of the pshuttlesn expression vector pshuttlesn was created in a laboratory as part of an effort to produce a potential sars vaccine based on this observation he posited that 2019ncov was a manmade virus that arose from the sars vaccine experiments", + "Facebook", + "FAKE", + 0, + 59 + ], + [ + null, + "with this virus and any virus remember it hates the sun they die with heat hot showers baths sauna please hydrate increase c zinc vit d3 a selenium iodine gargle w warm salt water multiple times a day", + "Facebook", + "FAKE", + 0.2833333333333333, + 38 + ], + [ + null, + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + null, + "a vaccine meant for cattle can be used to fight covid19", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + null, + "can anyone explain to me why they made a coronavirus vaccine a year ago for k9s but are acting like this shit is a new virus that came from china just recently if they have a vaccine for dogs dont you think they would have one for humans too wtf is the government tring to pull on us really ", + "Facebook", + "FAKE", + -0.060606060606060615, + 59 + ], + [ + "A Nobel Prize-winning immunologist said coronavirus is manmade", + "professor dr tasuku honjo caused a sensation today in the media by saying that the corona virus is not natural", + "Facebook", + "FAKE", + -0.05, + 20 + ], + [ + "All you need to cure the 2019 coronavirus is a little sunshine.", + "drinking hot water and sun exposure and stay away from ice cream and eating cold\n\ncorona virus when it falls on the fabric remains 9 hours so washing clothes or being exposed to the sun for two hours meets the purpose of killing it reads the handout in the photo", + "Facebook", + "FAKE", + -0.175, + 50 + ], + [ + null, + "the cdc recommends men shave their beards to protect against coronavirus", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + "The coronavirus outbreak is not actually caused by a virus, but by 5G technology", + "the chinese were all given mandatory vaccines last fall the vaccine contained replicating digitized controllable rna which were activated by 60ghz mm 5g waves that were just turned on in wuhan as well as all other countries using 60ghz 5g with the smart dust that everyone on the globe has been inhaling through chemtrails thats why when they say someone is cured the virus can be digitally reactivated at any time and the person can literally drop dead the diamond prince cruise was specifically equiped with 60ghz 5g its basically remote assassination americans are currently breathing in this smart dust through chemtrails think of it like this add the combination of vaccines chemtrails smart dust and 5g and your body becomes internally digitized and can be remotely controlled a persons organ functions can be stopped remotely if one is deemed noncompliant wuhan was a test run for id2020 the elite call this 60ghz mm 5g wave the v wave virus to mock us trump has created a space force in part to combat this weaponized technology we need to vehemently reject the attempted mandatory vaccine issue because our lives depend on it", + "Facebook", + "FAKE", + 0.0013736263736263687, + 192 + ], + [ + null, + "the coronavirus will come and go but the government will never forget how easy it was to take control of your life to control every sporting event classroom restaurant table and church pew and even if you are allowed to leave your house ", + "Facebook", + "FAKE", + 0.43333333333333335, + 43 + ], + [ + null, + "why does coronavirus have a patent why does any virus have a patent why is there a vaccine already being developed us patent for coronavirus patent", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + "Chinese spy team sent pathogens to the Wuhan facility", + "a husband and wife chinese spy team were recently removed from a level 4 infectious disease facility in canada for sending pathogens to the wuhan facility the husband specialized in coronavirus research", + "Facebook", + "FAKE", + 0, + 32 + ], + [ + "Worker Expose COV-19 Circuit Boards Being Installed in 5G Towers", + "must see worker exposes circuit boards being installed in 5g towers whats on them will surprise you ", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + "The flu vaccine can cause people to test positive for coronavirus", + "those who received the influenza vaccine are either more likely to test positive for the virus or to become sick with it children who received the trivalent threestrain flu vaccine that year had a higher incidence rate of coronavirus fyi if you got the flu shot you will likely test positive for corona remember they doubled the flu shot dose this year and even pushed it at the golden globes the post said the quadrivalent flu shot for the 20192020 season has a trivalent strain of coronavirus in itcoronavirus outbreaks in china and italy were due to increased vaccination vaccine derived virus interference was significantly associated with coronavirus the study states", + "Facebook", + "FAKE", + 0.10402597402597402, + 111 + ], + [ + null, + "people have been trying to warn us about 5g for years petitions organizations studieswhat were going thru is the affects of radiation 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling lte", + "Facebook", + "FAKE", + 0.15, + 47 + ], + [ + null, + "president trump just announced that the biological lab in wuhan where the covid19 virus was created was funded by president barak sp hussein obama in 2015 to the tune of 3800000 american dollars this fact directly links obama to all 150000 deaths around the world", + "Facebook", + "FAKE", + 0.05, + 45 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "drinking lemon water could kill the virus due to the vitamin c found in lemon", + "Facebook", + "FAKE", + -0.125, + 15 + ], + [ + "Coronavirus patients are being “cremated alive” in China", + "wuhan woman says coronavirus patients cremated alive over 1000 hubei police infected with virus factories and businesses in china resume work some scenes of massive gatherings of chinese people are raising concerns of the outbreak situation worsening\ninside one prison in eastern china guards must sign forms promising not to spread socalled rumors about the situation inside the prison amid the coronavirus outbreakas the coronavirus continues to spread globally four countries in the middle east reported their first cases while italys increasing numbers of cases spread fear across europe", + "Facebook", + "FAKE", + 0.07857142857142858, + 89 + ], + [ + "Italy decide not to treat its elderly population with coronavirus", + "italy has decided not to treat their elderly for this virus that my friends is socialized healthcare", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + "Gargling Water With Salt Will Eliminate Coronavirus", + "before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water and salt or vinegar eliminates the virus spread this information because you can save someone with this information", + "Facebook", + "FAKE", + 0.6, + 55 + ], + [ + null, + "take a deep breath and hold your breath for more than 10 seconds if you complete it successfully without coughing without discomfort stiffness or tightness etc it proves there is no covid19 caused fibrosis in the lungs basically indicates no infection", + "Facebook", + "FAKE", + 0.33, + 41 + ], + [ + "Every election year has a disease; coronavirus has a contagion factor of 2 and a cure rate of 99.7% for those under 50 it infects", + "every election year has a disease coronavirus has a contagion factor of 2", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + "A hospital says consuming alcohol kills the coronavirus", + "extensive research our findings show consuming alcoholic beverages may help to reduce the risk of infection by the novel coronavirus vodka for drinking cleaning and sanitizing alcohol can ward off the virus", + "Facebook", + "FAKE", + -0.125, + 32 + ], + [ + null, + "bill gates predicted that the coronavirus pandemic would kill 65 million people and created a vaccine to eradicate africans", + "Facebook", + "FAKE", + 0, + 19 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=%{customdata[2]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
label=%{customdata[3]}
polarity=%{customdata[4]}", + "legendgroup": "Facebook", + "marker": { + "color": "#636efa" + }, + "name": "Facebook", + "notched": true, + "offsetgroup": "Facebook", + "showlegend": false, + "type": "box", + "x": [ + 288, + 44, + 47, + 72, + 17, + 30, + 569, + 17, + 37, + 33, + 73, + 30, + 13, + 9, + 13, + 37, + 13, + 17, + 70, + 14, + 13, + 20, + 24, + 20, + 64, + 26, + 213, + 36, + 34, + 86, + 172, + 73, + 20, + 17, + 88, + 45, + 59, + 38, + 86, + 11, + 59, + 20, + 50, + 11, + 192, + 43, + 26, + 32, + 17, + 111, + 47, + 45, + 15, + 89, + 17, + 55, + 41, + 13, + 32, + 19, + 17 + ], + "xaxis": "x2", + "yaxis": "y2" + }, + { + "alignmentgroup": "True", + "bingroup": "x", + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=https://www.health.harvard.edu/
text_len=%{x}
count of text=%{y}", + "legendgroup": "https://www.health.harvard.edu/", + "marker": { + "color": "#EF553B" + }, + "name": "https://www.health.harvard.edu/", + "nbinsx": 100, + "offsetgroup": "https://www.health.harvard.edu/", + "orientation": "v", + "showlegend": true, + "type": "histogram", + "x": [ + 100, + 356, + 205, + 151, + 2664, + 111, + 134, + 364, + 132, + 135, + 45, + 268, + 3295, + 200, + 256, + 95, + 81, + 220, + 291, + 147, + 66, + 269, + 148, + 94, + 64, + 85, + 120, + 35, + 181, + 181, + 270, + 198, + 96, + 81, + 68, + 190, + 111, + 109, + 184, + 100, + 2062, + 1247, + 170, + 47, + 206, + 189, + 146, + 159, + 177, + 164, + 93, + 181, + 130, + 1288, + 272, + 134, + 60, + 54, + 91, + 80, + 208, + 190, + 204, + 413, + 67, + 190, + 270, + 72, + 34, + 75, + 218, + 167, + 166, + 286, + 391, + 83, + 128, + 50, + 3235, + 208, + 143, + 268, + 197, + 173, + 679, + 286, + 489, + 108, + 13, + 77, + 194, + 101, + 95, + 107, + 88, + 118, + 186, + 192, + 25, + 155, + 110, + 100 + ], + "xaxis": "x", + "y": [ + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "the cdc now recommends that everyone in the us wear nonsurgical masks when going out in publiccoronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come ina person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hourswhat kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowinglywhile n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workerssome parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your masksurgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancingthe cdc has information on how to make wear and clean nonsurgical masksthe who offers videos and illustrations on when and how to use a mask", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sickcover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakwash your hands often with soap and waterthis chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system", + "as we continually learn more about coronavirus and covid19 it can help to reacquaint yourself with some basic information for example understanding how the virus spreads reinforces the importance of social distancing and other healthpromoting behaviors knowing how long the virus survives on surfaces can guide how you clean your home and handle deliveries and reviewing the common symptoms of covid19 can help you know if its time to selfisolate what is coronaviruscoronaviruses are an extremely common cause of colds and other upper respiratory infectionswhat is covid19 covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirushow many people have covid19the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continentdo adults younger than 65 who are otherwise healthy need to worry about covid19yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to otherswhat are the symptoms of covid19some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixturescan covid19 symptoms worsen rapidly after several days of illnesscommon symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face one of the symptoms of covid19 is shortness of breath what does that meanshortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm down however if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is over\nmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problemcan covid19 affect brain functioncovid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attentionis a lost sense of smell a symptom of covid19 what should i do if i lose my sense of smellincreasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate\nhow long is it between when a person is exposed to the virus and when they start showing symptomsrecently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposurehow does coronavirus spreadthe coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyeshow could contact tracing help slow the spread of covid19anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomshow deadly is covid19the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadlywill warm weather slow or stop the spread of covid19some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virushow long can the coronavirus stay airborne i have read different estimatesa study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020how long can the coronavirus that causes covid19 survive on surfacesa recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfacesshould i accept packages from chinathere is no reason to suspect that packages from china harbor coronavirus remember this is a respiratory virus similar to the flu we dont stop receiving packages from china during their flu season we should follow that same logic for the virus that causes covid19can i catch the coronavirus by eating food handled or prepared by otherswe are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwichesthe flu kills more people than covid19 at least so far why are we so worried about covid19 shouldnt we be more focused on preventing deaths from the fluyoure right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19should i get a flu shotwhile the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "what helps what doesnt and whats in the pipeline most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if availablemake sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items", + "we are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwiches", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "as the new coronavirus spreads across the globe the chances that you will be exposed and get sick continue to increase if youve been exposed to someone with covid19 or begin to experience symptoms of the disease you may be asked to selfquarantine or selfisolate what does that entail and what can you do to prepare yourself for an extended stay at home how soon after youre infected will you start to be contagious and what can you do to prevent others in your household from getting sick what are the symptoms of covid19 some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumonia people with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptoms for example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke in addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtureswhat should i do if i think i or my child may have a covid19 infectionfirst call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrivalhow do i know if i have covid19 or the regular flu covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your areahow is someone tested for covid19a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get betterhow reliable is the test for covid19in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for results if a test result comes back positive it is almost certain that the person is infected a negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positive if you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing what is serologic antibody testing for covid19 what can it be used for a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rate\nserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the community scientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the ushow soon after im infected with the new coronavirus will i start to be contagious the time from exposure to symptom onset known as the incubation period is thought to be 3 to 14 days though symptoms typically appear within four or five days after exposure we dont know the extent to which people who are not yet experiencing symptoms can infect others but its possible that people may be contagious for several days before they become symptomatic for how long after i am infected will i continue to be contagious at what point in my illness will i be most contagiouspeople are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms the most recent research suggests that people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better if i get sick with covid19 how long until i will feel better it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease how long after i start to feel better will be it be safe for me to go back out in public again\nwe dont know for certain based on the most recent research people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better but these results need to be verified until then even after eight days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least 6 feet of distance away from other people whats the difference between selfisolation and selfquarantine and who should consider them selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negative selfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 viruswhat does it really mean to selfisolate or selfquarantine what should or shouldnt i doif you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and community stay home except to get medical care do not go to work school or public areas avoid using public transportation ridesharing or taxis call ahead before visiting your doctor call your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your home as much as possible stay in a specific room and away from other people in your home use a separate bathroom if available restrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask wear a face mask if you are sick wear a face mask when you are around other people or pets and before you enter a doctors office or hospital cover your coughs and sneezes cover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcohol clean your hands often wash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry avoid touching your eyes nose and mouth with unwashed hands dont share personal household items do not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and water clean all hightouch surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak monitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with others if you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrivewhat types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner when can i discontinue my selfquarantine while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others how can i protect myself while caring for someone that may have covid19 you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if available make sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items\nmy parents are older which puts them at higher risk for covid19 and they dont live nearby how can i help them if they get sick\ncaring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touchcan i infect my petthere have not been reports of pets or other animals becoming sick with covid19 but the cdc still recommends that people sick with covid19 limit contact with animals until more information is known if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask", + "a recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfaces", + "you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetesat this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animalscould this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumoniathe reality todayhuman studies have not confirmed the findings in animal studiessome studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matteras an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice", + "selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negativeselfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 virus", + "anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetesthe cdc suggests the following measures for those who are at higher riskobtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and otherswhen you go out in public keep away from others who are sick limit close contact and wash your hands oftenavoid crowdsavoid cruise travel and nonessential air travelduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed", + "recently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposure", + "increasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate", + "older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these includeblood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeksdiabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injury", + "wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryalways wash hands with soap and water if hands are visibly dirtythe cdcs handwashing website has detailed instructions and a video about effective handwashing procedures", + "vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnesses", + "we dont know for certain based on the most recent research people may continue to be infected with the virus and be potentially contagious for many days after they are feeling better but these results need to be verified until then even after 10 days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least six feet of distance away from other people", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated\n\nafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants\n\nthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "your immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your diet\nexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressureif you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth", + "youre right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19", + "while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could diminish over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen before", + "while the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contactoutdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoorsyou can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outsideyou can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room", + "caring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touch", + "the time from exposure to symptom onset known as the incubation period is thought to be three to 14 days though symptoms typically appear within four or five days after exposurewe know that a person with covid19 may be contagious 48 to 72 hours before starting to experience symptoms emerging research suggests that people may actually be most likely to spread the virus to others during the 48 hours before they start to experience symptomsif true this strengthens the case for face masks physical distancing and contact tracing all of which can help reduce the risk that someone who is infected but not yet contagious may unknowingly infect others", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke one study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe disease neurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptoms\nexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19\nwhat is convalescent plasma how could it help people with covid19when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimentalwho can donate plasma for covid19in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virusis there an antiviral treatment for covid19currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19\nwhy is it so difficult to develop treatments for viral illnessesan antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we developwhat treatments are available to treat coronaviruscurrently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams\nis it safe to take ibuprofen to treat symptoms of covid19some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoidedare chloroquinehydroxychloroquine and azithromycin safe and effective for treating covid19 early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycinis the antiviral drug remdesivir effective for treating covid19 scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virusthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safeive heard that highdose vitamin c is being used to treat patients with covid19 does it work and should i take vitamin c to prevent infection with the covid19 virussome critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stoneswhat is serologic antibody testing for covid19 what can it be used fora serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "if you are at increased risk for serious illness from covid19 you need to be especially careful to avoid infection you may have questions about your particular condition or treatment how it impacts your risk of infection and illness and what you need to do if you become ill your doctor is best equipped to provide individual advice but we provide some general guidelines below who is at highest risk for getting very sick from covid19 older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these include blood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeks diabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injuryim older and have a chronic medical condition which puts me at higher risk for getting seriously ill or even dying from covid19 what can i do to reduce my risk of exposure to the virus anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetes the cdc suggests the following measures for those who are at higher risk obtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and others when you go out in public keep away from others who are sick limit close contact and wash your hands often avoid crowds avoid cruise travel and nonessential air travel during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed i have a chronic medical condition that puts me at increased risk for severe illness from covid19 even though im only in my 30s what can i do to reduce my risk you can take steps to lower your risk of getting infected in the first place as much as possible limit contact with people outside your family maintain enough distance six feet or more between yourself and anyone outside your family wash your hands often with soap and warm water for 20 to 30 seconds as best you can avoid touching your eyes nose or mouth stay away from people who are sick during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed clean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day in addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them up\ncall your doctor for additional advice specific to your conditioni have asthma if i get covid19 am i more likely to become seriously ill yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancingwashing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor im taking a medication that suppresses my immune system should i stop taking it so i have less chance of getting sick from the coronavirus\nif you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medicationi heard that certain blood pressure medicines might worsen symptoms of covid19 should i stop taking my medication now just in case i do get infected should i stop if i develop symptoms of covid19 you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetes at this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animals could this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumonia the reality today human studies have not confirmed the findings in animal studies some studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19 i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "you can take steps to lower your risk of getting infected in the first placeas much as possible limit contact with people outside your familymaintain enough distance six feet or more between yourself and anyone outside your familywash your hands often with soap and warm water for 20 to 30 secondsas best you can avoid touching your eyes nose or mouthstay away from people who are sickduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposedclean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every dayin addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them upcall your doctor for additional advice specific to your condition", + "at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with pets", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs\na person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoided", + "the truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all timesall people can do is try to minimize the risk by doing things likechoosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible\nmaking sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "the answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your familyif you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to gohere are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with others", + "people who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safest", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "shortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm downhowever if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is overmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problem", + "childrens lives have been turned upside down by this pandemic between schools being closed and playdates being cancelled childrens routines are anything but routine kids also have questions about coronavirus and benefit from ageappropriate answers that dont fuel the flame of anxiety it also helps to discuss and role model things they can control like hand washing social distancing and other healthpromoting behaviors are kids immune to the virus that causes covid19 children including very young children can develop covid19 however children tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illness should parents take babies for initial vaccines right now what about toddlers and up who are due for vaccines the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits getting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virus for children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good idea the best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child when do you need to bring your child to the doctor during this pandemic anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that way some things though do require an inperson appointment including illness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency room\nchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so checkups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices checkups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seen bottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor\nwith schools closing in many parts of the country is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes\nthe truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all times all people can do is try to minimize the risk by doing things like choosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible making sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating with social distancing rules in place libraries recreational sports and bigger sports events and other venues parents often take kids to are closing down are there any rules of thumb regarding play dates i dont want my kids parked in front of screens all day ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contact outdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoors you can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outside you can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virus your body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptoms however serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continent", + "while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others", + "yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancing washing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health suppliesprescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of blood convalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectantsocial distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community levelslowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients", + "scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virus\nthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safe", + "covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your area", + "in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for resultsif a test result comes back positive it is almost certain that the person is infecteda negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positiveif you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "a study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020", + "currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19", + "if you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medication", + "people are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms especially if they are coughing and sneezing but people with no symptoms can also spread the coronavirus to other people if they stand too close to them in fact people who are infected may be more likely to spread the illness if they are asymptomatic or in the days before they develop symptoms because they are less likely to be isolating or adopting behaviors designed to prevent spreadmost people with coronavirus who have symptoms will no longer be contagious by 10 days after symptoms resolve people who test positive for the virus but never develop symptoms over the following 10 days after testing are probably no longer contagious but again there are documented exceptions so some experts are still recommending 14 days of isolationone of the main problems with general rules regarding contagion and transmission of this coronavirus is the marked differences in how it behaves in different individuals thats why everyone needs to wear a mask and keep a physical distance of at least six feethere is a more scientific way to determine if you are no longer contagious have two nasalthroat tests or saliva tests 24 hours apart that are both negative for the virus", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weather\nthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "children including very young children can develop covid19 many of them have no symptoms those that do get sick tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illnessa complication that has more recently been observed in children can be severe and dangerous called multisystem inflammatory syndrome in children misc it can lead to lifethreatening problems with the heart and other organs in the body early reports compare it to kawasaki disease an inflammatory illness that can lead to heart problems but while some cases look very much like kawasakis others have been differentsymptoms of misc can include fever lasting more than a couple of days rash conjunctivitis redness of the white part of the eye stomachache vomiting andor diarrhea a large swollen lymph node in the neck red cracked lips a tongue that is redder than usual and looks like a strawberry swollen hands andor feet irritability andor unusual sleepiness or weaknessmany conditions can cause these symptoms doctors make the diagnosis of misc based on these symptoms along with a physical examination and medical tests that check for inflammation and how organs are functioning call the doctor if your child develops symptoms particularly if their fever lasts for more than a couple of days if the symptoms get any worse or just dont improve call again or bring your child to an emergency roomdoctors have had success using various treatments for inflammation as well as treatments to support organ systems that are having trouble while there have been some deaths most children who have developed misc have recovered", + "anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that waysome things though do require an inperson appointment includingillness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency roomchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so\ncheckups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices\ncheckups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seenbottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor", + "currently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams", + "yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to others", + "stay current on travel advisories from regulatory agencies this is a rapidly changing situationanyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane", + "youve gotten the basics down youre washing your hands regularly and keeping your distance from friends and family but you likely still have questions are you washing your hands often enough how exactly will social distancing help whats okay to do while social distancing and how can you strategically stock your pantry and medicine cabinet in order to minimize trips to the grocery store and pharmacy what can i do to protect myself and others from covid19 the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sick cover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak wash your hands often with soap and water this chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system\nwhat do i need to know about washing my hands effectively wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry always wash hands with soap and water if hands are visibly dirty the cdcs handwashing website has detailed instructions and a video about effective handwashing procedures how does coronavirus spread the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in public coronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes how could contact tracing help slow the spread of covid19 anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptoms the contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomswhat is social distancing and why is it important the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectant social distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community level slowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients what types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medicationsprescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat rotein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner what precautions can i take when grocery shopping the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through food safety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your face in the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your homewhat precautions can i take when unpacking my groceries recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated after unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants thoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store what should and shouldnt i do during this time to avoid exposure to and spread of this coronavirus for example what steps should i take if i need to go shopping for food and staples what about eating at restaurants ordering takeout going to the gym or swimming in a public pool\nthe answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your family if you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to go here are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with otherswhat can i do when social distancing try to look at this period of social distancing as an opportunity to get to things youve been meaning to do though you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperating kids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the virus pull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every evening its important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to call if all else fails go to bed early and get some extra sleep should i wear a face mask the cdc now recommends that everyone in the us wear nonsurgical masks when going out in public coronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come in a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hours what kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowingly while n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workers some parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your mask surgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancing the cdc has information on how to make wear and clean nonsurgical masks the who offers videos and illustrations on when and how to use a mask is it safe to travel by airplane stay current on travel advisories from regulatory agencies this is a rapidly changing situation anyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane is there a vaccine available no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works can a person who has had coronavirus get infected again while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could want over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen beforewill a pneumococcal vaccine help protect me against coronavirus vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnessesmy husband and i are in our 70s im otherwise healthy my husband is doing well but does have heart disease and diabetes my grandkids school has been closed for the next several weeks wed like to help out by watching our grandkids but dont know if that would be safe for us can you offer some guidance\npeople who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safestcan my pet infect me with the virus that causes covid19at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with petswhat can i do to keep my immune system strongyour immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your dietexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressure if you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth should i go to the doctor or dentist for nonurgent appointments during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matter as an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice should i postpone my elective surgeryits likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "a cytokine storm is an overreaction of the bodys immune system in some people with covid19 the immune system releases immune messengers called cytokines into the bloodstream out of proportion to the threat or long after the virus is no longer a threatwhen this happens the immune system attacks the bodys own tissues potentially causing significant harm a cytokine storm triggers an exaggerated inflammatory response that may damage the liver blood vessels kidneys and lungs and increase formation of blood clots throughout the body ultimately the cytokine storm may cause more harm than the coronavirus itselfa simple blood test can help determine whether someone with covid19 may be experiencing a cytokine storm trials in countries around the world are investigating whether drugs that have been used to treat cytokine storms in people with other noncovid conditions could be effective in people with covid19", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "try to look at this period of social distancing as an opportunity to get to things youve been meaning to dothough you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperatingkids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the viruspull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every eveningits important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to callif all else fails go to bed early and get some extra sleep", + "strokes occur when the brains blood supply is interrupted usually by a blood clot recently there have been reports of a greaterthanexpected number of younger patients being hospitalized for and sometimes dying from serious strokes these strokes are happening in patients who test positive for coronavirus but who do not have any traditional risk factors for stroke they tend to have no covid19 symptoms or only mild symptoms the type of stroke occurring in these patients typically occurs in much older patientscovidrelated strokes occur because of a bodywide increase in blood clot formation which can damage any organ not just the brain a blood clot in the lungs is called pulmonary embolism and can cause shortness of breath chest pain or death a blood clot in or near the heart can cause a heart attack and blood clots in the kidneys can cause kidney damage requiring dialysiswe dont yet know if the coronavirus itself stimulates blood clots to form or if they are a result of an overactive immune response to the virus", + "if you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and communitystay home except to get medical care do not go to work school or public areasavoid using public transportation ridesharing or taxiscall ahead before visiting your doctorcall your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your homeas much as possible stay in a specific room and away from other people in your home use a separate bathroom if availablerestrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face maskwear a face mask if you are sickwear a face mask when you are around other people or pets and before you enter a doctors office or hospitalcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholclean your hands oftenwash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryavoid touching your eyes nose and mouth with unwashed handsdont share personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and waterclean all hightouch surfaces every dayhigh touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on thema list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakmonitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with othersif you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrive", + "some critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stones", + "dealing with daily stress anxiety and a range of other emotions perhaps youre older worried that you may become infected and seriously ill maybe youre doing your best to keep your family healthy while trying to balance work with caring for your children while schools are closed or youre feeling isolated separated from friends and loved ones during this period of social distancingregardless of your specific circumstances its likely that youre wondering how to cope with the stress anxiety and other feelings that are surfacing a variety of stress management techniques which we delve into below can helpwebinar series regulating emotions building resiliency in the face of a pandemic this webinar series was created to support the students and staff of the harvard medical school community yet the lessons will be broadly applicable to all who are feeling the emotional strain of this unprecedented crisisdr luana marques is an associate professor at harvard medical schools department of psychiatry and clinical researcher at massachusetts general hospital who specializes in treating anxiety and stress disorders dr marques focuses on the science of anxiety and the specific impact that the covid19 pandemic is having on our ability to manage stress using role plays and examples she provides clear and accessible skills to help viewers manage their emotions during this very challenging timethe role of anxiety in this video we focus on how to assess the level of our anxiety and then we apply some of the concepts of cbt to a particular stressor that many people in our community are experiencing adapting to the everchanging timeline of how long we will need to practice social distancing and isolationslowing down the brain\nin this video we focus on skills for reducing the flow of anxious thoughts particularly as we consume massive amounts of frightening information about the covid19 crisischarging up and staying connected in this video we focus on the sense of loss that many of us are experiencing right now as a result of social distancing and how activating our brains and bodies can help us manage those emotionsexploring thoughts in this video we focus on how to interrogate the catastrophic thoughts that many of us are having right now and we offer specific tips for parents who are looking for strategies to help support the emotional health of their children during this crisisthe gad7 is a tool that can be used to selfassess your level of anxiety your responses are completely anonymous and are intended solely for your own learning and reflection if youd like you can complete this survey to tell dr marquess team about your experiences and questions related to managing anxiety in the face of the covid19 pandemic your responses are completely anonymous and are intended solely to provide the team that produced this series with feedback and ideas that could be addressed in subsequent videos harvard health publishing will not be receiving or responding to survey responses", + "common symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face", + "coronaviruses are an extremely common cause of colds and other upper respiratory infections", + "an antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we develop", + "the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadly", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "first call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrival", + "the rapid spread of the virus that causes covid19 has sparked alarm worldwide the world health organization who has declared this rapidly spreading coronavirus outbreak a pandemic and countries around the world are grappling with a surge in confirmed cases in the us social distancing to slow the spread of coronavirus has created a new normal meanwhile scientists are exploring potential treatments and are beginning clinical trials to test new therapies and vaccines and hospitals are ramping up their capabilities to care for increasing numbers of infected patients", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminatedafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectantsthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits\ngetting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virusfor children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good ideathe best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child", + "until recently most tests for covid19 required a clinician to insert a long swab into the nose and sometimes down to the throat in midapril the fda granted emergency approval for a salivabased testthe saliva test is easier to perform spitting into a cup versus submitting to a swab and more comfortable because a person can independently spit into a cup the saliva test does not require interaction with a healthcare worker this cuts down on the need for masks gowns gloves and other protective equipment which has been in short supplyboth the saliva and swab tests work by detecting genetic material from the coronavirus both tests are very specific meaning that a positive test almost always means that the person is infected with the virus however both tests can be negative even if a person is proven later to be infected known as a false negative this is especially true for people who carry the virus but have no symptomssome early reports suggest that the saliva test may have fewer false negatives than the swab test if verified home testing could potentially quickly ramp up the widespread testing we desperately need", + "covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirus", + "a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get better", + "its likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soupsfrozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner" + ], + "yaxis": "y" + }, + { + "alignmentgroup": "True", + "customdata": [ + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "Should I wear a face mask?", + "the cdc now recommends that everyone in the us wear nonsurgical masks when going out in publiccoronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come ina person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hourswhat kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowinglywhile n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workerssome parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your masksurgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancingthe cdc has information on how to make wear and clean nonsurgical masksthe who offers videos and illustrations on when and how to use a mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.3052631578947368, + 356 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 205 + ], + [ + "What can I do to protect myself and others from COVID-19?", + "the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sickcover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakwash your hands often with soap and waterthis chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system", + "https://www.health.harvard.edu/", + "TRUE", + 0.09697014790764792, + 151 + ], + [ + "COVID-19 basics\nSymptoms, spread and other essential information about the new coronavirus and COVID-19", + "as we continually learn more about coronavirus and covid19 it can help to reacquaint yourself with some basic information for example understanding how the virus spreads reinforces the importance of social distancing and other healthpromoting behaviors knowing how long the virus survives on surfaces can guide how you clean your home and handle deliveries and reviewing the common symptoms of covid19 can help you know if its time to selfisolate what is coronaviruscoronaviruses are an extremely common cause of colds and other upper respiratory infectionswhat is covid19 covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirushow many people have covid19the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continentdo adults younger than 65 who are otherwise healthy need to worry about covid19yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to otherswhat are the symptoms of covid19some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixturescan covid19 symptoms worsen rapidly after several days of illnesscommon symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face one of the symptoms of covid19 is shortness of breath what does that meanshortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm down however if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is over\nmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problemcan covid19 affect brain functioncovid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attentionis a lost sense of smell a symptom of covid19 what should i do if i lose my sense of smellincreasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate\nhow long is it between when a person is exposed to the virus and when they start showing symptomsrecently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposurehow does coronavirus spreadthe coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyeshow could contact tracing help slow the spread of covid19anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomshow deadly is covid19the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadlywill warm weather slow or stop the spread of covid19some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virushow long can the coronavirus stay airborne i have read different estimatesa study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020how long can the coronavirus that causes covid19 survive on surfacesa recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfacesshould i accept packages from chinathere is no reason to suspect that packages from china harbor coronavirus remember this is a respiratory virus similar to the flu we dont stop receiving packages from china during their flu season we should follow that same logic for the virus that causes covid19can i catch the coronavirus by eating food handled or prepared by otherswe are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwichesthe flu kills more people than covid19 at least so far why are we so worried about covid19 shouldnt we be more focused on preventing deaths from the fluyoure right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19should i get a flu shotwhile the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.07404994062290714, + 2664 + ], + [ + "Treatments for COVID-19", + "what helps what doesnt and whats in the pipeline most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13075396825396823, + 111 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "How can I protect myself while caring for someone that may have COVID-19?", + "you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if availablemake sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items", + "https://www.health.harvard.edu/", + "TRUE", + 0.09905753968253968, + 364 + ], + [ + "Can I catch the coronavirus by eating food handled or prepared by others?", + "we are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwiches", + "https://www.health.harvard.edu/", + "TRUE", + 0.07391774891774892, + 132 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 135 + ], + [ + "If I get sick with COVID-19, how long until I will feel better?", + "it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease", + "https://www.health.harvard.edu/", + "TRUE", + 0.12380952380952381, + 45 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "If you've been exposed to the coronavirus", + "as the new coronavirus spreads across the globe the chances that you will be exposed and get sick continue to increase if youve been exposed to someone with covid19 or begin to experience symptoms of the disease you may be asked to selfquarantine or selfisolate what does that entail and what can you do to prepare yourself for an extended stay at home how soon after youre infected will you start to be contagious and what can you do to prevent others in your household from getting sick what are the symptoms of covid19 some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumonia people with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptoms for example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke in addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtureswhat should i do if i think i or my child may have a covid19 infectionfirst call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrivalhow do i know if i have covid19 or the regular flu covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your areahow is someone tested for covid19a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get betterhow reliable is the test for covid19in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for results if a test result comes back positive it is almost certain that the person is infected a negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positive if you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing what is serologic antibody testing for covid19 what can it be used for a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rate\nserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the community scientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the ushow soon after im infected with the new coronavirus will i start to be contagious the time from exposure to symptom onset known as the incubation period is thought to be 3 to 14 days though symptoms typically appear within four or five days after exposure we dont know the extent to which people who are not yet experiencing symptoms can infect others but its possible that people may be contagious for several days before they become symptomatic for how long after i am infected will i continue to be contagious at what point in my illness will i be most contagiouspeople are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms the most recent research suggests that people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better if i get sick with covid19 how long until i will feel better it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease how long after i start to feel better will be it be safe for me to go back out in public again\nwe dont know for certain based on the most recent research people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better but these results need to be verified until then even after eight days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least 6 feet of distance away from other people whats the difference between selfisolation and selfquarantine and who should consider them selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negative selfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 viruswhat does it really mean to selfisolate or selfquarantine what should or shouldnt i doif you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and community stay home except to get medical care do not go to work school or public areas avoid using public transportation ridesharing or taxis call ahead before visiting your doctor call your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your home as much as possible stay in a specific room and away from other people in your home use a separate bathroom if available restrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask wear a face mask if you are sick wear a face mask when you are around other people or pets and before you enter a doctors office or hospital cover your coughs and sneezes cover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcohol clean your hands often wash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry avoid touching your eyes nose and mouth with unwashed hands dont share personal household items do not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and water clean all hightouch surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak monitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with others if you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrivewhat types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner when can i discontinue my selfquarantine while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others how can i protect myself while caring for someone that may have covid19 you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if available make sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items\nmy parents are older which puts them at higher risk for covid19 and they dont live nearby how can i help them if they get sick\ncaring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touchcan i infect my petthere have not been reports of pets or other animals becoming sick with covid19 but the cdc still recommends that people sick with covid19 limit contact with animals until more information is known if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.04052553229083844, + 3295 + ], + [ + "How long can the coronavirus that causes COVID-19 survive on surfaces?", + "a recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfaces", + "https://www.health.harvard.edu/", + "TRUE", + 0.12760416666666669, + 200 + ], + [ + "I heard that certain blood pressure medicines might worsen symptoms of COVID-19. Should I stop taking my medication now just in case I do get infected? Should I stop if I develop symptoms of COVID-19?", + "you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetesat this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animalscould this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumoniathe reality todayhuman studies have not confirmed the findings in animal studiessome studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.07054347826086955, + 256 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 81 + ], + [ + "Should I go to the doctor or dentist for nonurgent appointments?", + "during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matteras an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice", + "https://www.health.harvard.edu/", + "TRUE", + 0.0910748106060606, + 220 + ], + [ + "What's the difference between self-isolation and self-quarantine, and who should consider them?", + "selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negativeselfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.12037037037037036, + 291 + ], + [ + "I'm older and have a chronic medical condition, which puts me at higher risk for getting seriously ill, or even dying from COVID-19. What can I do to reduce my risk of exposure to the virus?", + "anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetesthe cdc suggests the following measures for those who are at higher riskobtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and otherswhen you go out in public keep away from others who are sick limit close contact and wash your hands oftenavoid crowdsavoid cruise travel and nonessential air travelduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed", + "https://www.health.harvard.edu/", + "TRUE", + -0.009383753501400572, + 147 + ], + [ + "How long is it between when a person is exposed to the virus and when they start showing symptoms?", + "recently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposure", + "https://www.health.harvard.edu/", + "TRUE", + -0.05, + 66 + ], + [ + "Is a lost sense of smell a symptom of COVID-19? What should I do if I lose my sense of smell?", + "increasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate", + "https://www.health.harvard.edu/", + "TRUE", + 0.0009618506493506484, + 269 + ], + [ + "Who is at highest risk for getting very sick from COVID-19?", + "older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these includeblood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeksdiabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injury", + "https://www.health.harvard.edu/", + "TRUE", + -0.018518518518518517, + 148 + ], + [ + "What do I need to know about washing my hands effectively?", + "wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryalways wash hands with soap and water if hands are visibly dirtythe cdcs handwashing website has detailed instructions and a video about effective handwashing procedures", + "https://www.health.harvard.edu/", + "TRUE", + 0.028571428571428564, + 94 + ], + [ + "Will a pneumococcal vaccine help protect me against coronavirus?", + "vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnesses", + "https://www.health.harvard.edu/", + "TRUE", + 0.007000000000000001, + 64 + ], + [ + "How long after I start to feel better will be it be safe for me to go back out in public again?", + "we dont know for certain based on the most recent research people may continue to be infected with the virus and be potentially contagious for many days after they are feeling better but these results need to be verified until then even after 10 days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least six feet of distance away from other people", + "https://www.health.harvard.edu/", + "TRUE", + 0.1717532467532468, + 85 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated\n\nafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants\n\nthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 120 + ], + [ + "Is there a vaccine available?", + "no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works", + "https://www.health.harvard.edu/", + "TRUE", + 0.22000000000000003, + 35 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 181 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "What can I do to keep my immune system strong?", + "your immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your diet\nexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressureif you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth", + "https://www.health.harvard.edu/", + "TRUE", + 0.1301851851851852, + 198 + ], + [ + "The flu kills more people than COVID-19, at least so far. Why are we so worried about COVID-19? Shouldn't we be more focused on preventing deaths from the flu?", + "youre right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19", + "https://www.health.harvard.edu/", + "TRUE", + -0.12071428571428573, + 96 + ], + [ + "Can a person who has had coronavirus get infected again?", + "while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could diminish over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen before", + "https://www.health.harvard.edu/", + "TRUE", + 0.05238095238095238, + 81 + ], + [ + "Should I get a flu shot?", + "while the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.45555555555555555, + 68 + ], + [ + "With social distancing rules in place, libraries, recreational sports and bigger sports events, and other venues parents often take kids to are closing down. Are there any rules of thumb regarding play dates? I don't want my kids parked in front of screens all day", + "ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contactoutdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoorsyou can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outsideyou can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room", + "https://www.health.harvard.edu/", + "TRUE", + 0.29103641456582635, + 190 + ], + [ + "My parents are older, which puts them at higher risk for COVID-19, and they don't live nearby. How can I help them if they get sick?", + "caring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touch", + "https://www.health.harvard.edu/", + "TRUE", + -0.13095238095238096, + 111 + ], + [ + "How soon after I'm infected with the new coronavirus will I start to be contagious?", + "the time from exposure to symptom onset known as the incubation period is thought to be three to 14 days though symptoms typically appear within four or five days after exposurewe know that a person with covid19 may be contagious 48 to 72 hours before starting to experience symptoms emerging research suggests that people may actually be most likely to spread the virus to others during the 48 hours before they start to experience symptomsif true this strengthens the case for face masks physical distancing and contact tracing all of which can help reduce the risk that someone who is infected but not yet contagious may unknowingly infect others", + "https://www.health.harvard.edu/", + "TRUE", + 0.11388888888888889, + 109 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke one study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe disease neurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptoms\nexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 184 + ], + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "Treatments for COVID-19", + "most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19\nwhat is convalescent plasma how could it help people with covid19when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimentalwho can donate plasma for covid19in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virusis there an antiviral treatment for covid19currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19\nwhy is it so difficult to develop treatments for viral illnessesan antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we developwhat treatments are available to treat coronaviruscurrently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams\nis it safe to take ibuprofen to treat symptoms of covid19some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoidedare chloroquinehydroxychloroquine and azithromycin safe and effective for treating covid19 early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycinis the antiviral drug remdesivir effective for treating covid19 scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virusthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safeive heard that highdose vitamin c is being used to treat patients with covid19 does it work and should i take vitamin c to prevent infection with the covid19 virussome critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stoneswhat is serologic antibody testing for covid19 what can it be used fora serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.1451683064410337, + 2062 + ], + [ + "If you are at higher risk", + "if you are at increased risk for serious illness from covid19 you need to be especially careful to avoid infection you may have questions about your particular condition or treatment how it impacts your risk of infection and illness and what you need to do if you become ill your doctor is best equipped to provide individual advice but we provide some general guidelines below who is at highest risk for getting very sick from covid19 older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these include blood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeks diabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injuryim older and have a chronic medical condition which puts me at higher risk for getting seriously ill or even dying from covid19 what can i do to reduce my risk of exposure to the virus anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetes the cdc suggests the following measures for those who are at higher risk obtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and others when you go out in public keep away from others who are sick limit close contact and wash your hands often avoid crowds avoid cruise travel and nonessential air travel during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed i have a chronic medical condition that puts me at increased risk for severe illness from covid19 even though im only in my 30s what can i do to reduce my risk you can take steps to lower your risk of getting infected in the first place as much as possible limit contact with people outside your family maintain enough distance six feet or more between yourself and anyone outside your family wash your hands often with soap and warm water for 20 to 30 seconds as best you can avoid touching your eyes nose or mouth stay away from people who are sick during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed clean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day in addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them up\ncall your doctor for additional advice specific to your conditioni have asthma if i get covid19 am i more likely to become seriously ill yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancingwashing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor im taking a medication that suppresses my immune system should i stop taking it so i have less chance of getting sick from the coronavirus\nif you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medicationi heard that certain blood pressure medicines might worsen symptoms of covid19 should i stop taking my medication now just in case i do get infected should i stop if i develop symptoms of covid19 you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetes at this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animals could this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumonia the reality today human studies have not confirmed the findings in animal studies some studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19 i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.05178236446093589, + 1247 + ], + [ + "I have a chronic medical condition that puts me at increased risk for severe illness from COVID-19, even though I'm only in my 30s. What can I do to reduce my risk?", + "you can take steps to lower your risk of getting infected in the first placeas much as possible limit contact with people outside your familymaintain enough distance six feet or more between yourself and anyone outside your familywash your hands often with soap and warm water for 20 to 30 secondsas best you can avoid touching your eyes nose or mouthstay away from people who are sickduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposedclean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every dayin addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them upcall your doctor for additional advice specific to your condition", + "https://www.health.harvard.edu/", + "TRUE", + 0.240625, + 170 + ], + [ + "Can my pet infect me with the virus that causes COVID-19?", + "at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with pets", + "https://www.health.harvard.edu/", + "TRUE", + -0.041666666666666664, + 47 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs\na person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 206 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 189 + ], + [ + "Is it safe to take ibuprofen to treat symptoms of COVID-19?", + "some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoided", + "https://www.health.harvard.edu/", + "TRUE", + 0.14583333333333334, + 146 + ], + [ + "With schools closing in many parts of the country, is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes?", + "the truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all timesall people can do is try to minimize the risk by doing things likechoosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible\nmaking sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating", + "https://www.health.harvard.edu/", + "TRUE", + 0.1396031746031746, + 159 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 177 + ], + [ + "What should and shouldn't I do during this time to avoid exposure to and spread of this coronavirus? For example, what steps should I take if I need to go shopping for food and staples? What about eating at restaurants, ordering takeout, going to the gym or swimming in a public pool?", + "the answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your familyif you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to gohere are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with others", + "https://www.health.harvard.edu/", + "TRUE", + 0.07107843137254902, + 164 + ], + [ + "My husband and I are in our 70s. I'm otherwise healthy. My husband is doing well but does have heart disease and diabetes. My grandkids' school has been closed for the next several weeks. We'd like to help out by watching our grandkids but don't know if that would be safe for us. Can you offer some guidance?", + "people who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safest", + "https://www.health.harvard.edu/", + "TRUE", + 0.05851851851851851, + 93 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "One of the symptoms of COVID-19 is shortness of breath. What does that mean?", + "shortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm downhowever if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is overmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problem", + "https://www.health.harvard.edu/", + "TRUE", + 0.06333333333333332, + 130 + ], + [ + "Coronavirus outbreak and kids", + "childrens lives have been turned upside down by this pandemic between schools being closed and playdates being cancelled childrens routines are anything but routine kids also have questions about coronavirus and benefit from ageappropriate answers that dont fuel the flame of anxiety it also helps to discuss and role model things they can control like hand washing social distancing and other healthpromoting behaviors are kids immune to the virus that causes covid19 children including very young children can develop covid19 however children tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illness should parents take babies for initial vaccines right now what about toddlers and up who are due for vaccines the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits getting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virus for children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good idea the best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child when do you need to bring your child to the doctor during this pandemic anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that way some things though do require an inperson appointment including illness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency room\nchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so checkups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices checkups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seen bottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor\nwith schools closing in many parts of the country is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes\nthe truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all times all people can do is try to minimize the risk by doing things like choosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible making sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating with social distancing rules in place libraries recreational sports and bigger sports events and other venues parents often take kids to are closing down are there any rules of thumb regarding play dates i dont want my kids parked in front of screens all day ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contact outdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoors you can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outside you can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.13522830344258918, + 1288 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virus your body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptoms however serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 272 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "How many people have COVID-19?", + "the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continent", + "https://www.health.harvard.edu/", + "TRUE", + 0.4035714285714285, + 60 + ], + [ + "When can I discontinue my self-quarantine?", + "while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others", + "https://www.health.harvard.edu/", + "TRUE", + 0.25, + 54 + ], + [ + "I have asthma. If I get COVID-19, am I more likely to become seriously ill?", + "yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancing washing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor", + "https://www.health.harvard.edu/", + "TRUE", + -0.12993197278911564, + 91 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health suppliesprescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 80 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of blood convalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 190 + ], + [ + "What is social distancing and why is it important?", + "the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectantsocial distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community levelslowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07178631553631552, + 204 + ], + [ + "Is the antiviral drug remdesivir effective for treating COVID-19?", + "scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virus\nthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safe", + "https://www.health.harvard.edu/", + "TRUE", + 0.17064306661080852, + 413 + ], + [ + "How do I know if I have COVID-19 or the regular flu?", + "covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your area", + "https://www.health.harvard.edu/", + "TRUE", + -0.15999999999999998, + 67 + ], + [ + "How reliable is the test for COVID-19?", + "in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for resultsif a test result comes back positive it is almost certain that the person is infecteda negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positiveif you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing", + "https://www.health.harvard.edu/", + "TRUE", + -0.08357082732082731, + 190 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "How long can the coronavirus stay airborne? I have read different estimates.", + "a study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020", + "https://www.health.harvard.edu/", + "TRUE", + 0.13636363636363635, + 72 + ], + [ + "Is there an antiviral treatment for COVID-19?", + "currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.11499999999999999, + 34 + ], + [ + "I'm taking a medication that suppresses my immune system. Should I stop taking it so I have less chance of getting sick from the coronavirus?", + "if you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medication", + "https://www.health.harvard.edu/", + "TRUE", + 0.38333333333333336, + 75 + ], + [ + "For how long after I am infected will I continue to be contagious? At what point in my illness will I be most contagious?", + "people are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms especially if they are coughing and sneezing but people with no symptoms can also spread the coronavirus to other people if they stand too close to them in fact people who are infected may be more likely to spread the illness if they are asymptomatic or in the days before they develop symptoms because they are less likely to be isolating or adopting behaviors designed to prevent spreadmost people with coronavirus who have symptoms will no longer be contagious by 10 days after symptoms resolve people who test positive for the virus but never develop symptoms over the following 10 days after testing are probably no longer contagious but again there are documented exceptions so some experts are still recommending 14 days of isolationone of the main problems with general rules regarding contagion and transmission of this coronavirus is the marked differences in how it behaves in different individuals thats why everyone needs to wear a mask and keep a physical distance of at least six feethere is a more scientific way to determine if you are no longer contagious have two nasalthroat tests or saliva tests 24 hours apart that are both negative for the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06957070707070707, + 218 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weather\nthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 167 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 166 + ], + [ + "How does COVID-19 affect children?", + "children including very young children can develop covid19 many of them have no symptoms those that do get sick tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illnessa complication that has more recently been observed in children can be severe and dangerous called multisystem inflammatory syndrome in children misc it can lead to lifethreatening problems with the heart and other organs in the body early reports compare it to kawasaki disease an inflammatory illness that can lead to heart problems but while some cases look very much like kawasakis others have been differentsymptoms of misc can include fever lasting more than a couple of days rash conjunctivitis redness of the white part of the eye stomachache vomiting andor diarrhea a large swollen lymph node in the neck red cracked lips a tongue that is redder than usual and looks like a strawberry swollen hands andor feet irritability andor unusual sleepiness or weaknessmany conditions can cause these symptoms doctors make the diagnosis of misc based on these symptoms along with a physical examination and medical tests that check for inflammation and how organs are functioning call the doctor if your child develops symptoms particularly if their fever lasts for more than a couple of days if the symptoms get any worse or just dont improve call again or bring your child to an emergency roomdoctors have had success using various treatments for inflammation as well as treatments to support organ systems that are having trouble while there have been some deaths most children who have developed misc have recovered", + "https://www.health.harvard.edu/", + "TRUE", + 0.04189655172413794, + 286 + ], + [ + "When do you need to bring your child to the doctor during this pandemic?", + "anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that waysome things though do require an inperson appointment includingillness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency roomchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so\ncheckups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices\ncheckups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seenbottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor", + "https://www.health.harvard.edu/", + "TRUE", + 0.11019988242210464, + 391 + ], + [ + "What treatments are available to treat coronavirus?", + "currently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams", + "https://www.health.harvard.edu/", + "TRUE", + -0.014285714285714282, + 83 + ], + [ + "Do adults younger than 65 who are otherwise healthy need to worry about COVID-19?", + "yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to others", + "https://www.health.harvard.edu/", + "TRUE", + -0.0947089947089947, + 128 + ], + [ + "Is it safe to travel by airplane?", + "stay current on travel advisories from regulatory agencies this is a rapidly changing situationanyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane", + "https://www.health.harvard.edu/", + "TRUE", + -0.25, + 50 + ], + [ + "Preventing the spread of the coronavirus", + "youve gotten the basics down youre washing your hands regularly and keeping your distance from friends and family but you likely still have questions are you washing your hands often enough how exactly will social distancing help whats okay to do while social distancing and how can you strategically stock your pantry and medicine cabinet in order to minimize trips to the grocery store and pharmacy what can i do to protect myself and others from covid19 the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sick cover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak wash your hands often with soap and water this chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system\nwhat do i need to know about washing my hands effectively wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry always wash hands with soap and water if hands are visibly dirty the cdcs handwashing website has detailed instructions and a video about effective handwashing procedures how does coronavirus spread the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in public coronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes how could contact tracing help slow the spread of covid19 anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptoms the contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomswhat is social distancing and why is it important the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectant social distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community level slowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients what types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medicationsprescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat rotein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner what precautions can i take when grocery shopping the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through food safety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your face in the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your homewhat precautions can i take when unpacking my groceries recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated after unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants thoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store what should and shouldnt i do during this time to avoid exposure to and spread of this coronavirus for example what steps should i take if i need to go shopping for food and staples what about eating at restaurants ordering takeout going to the gym or swimming in a public pool\nthe answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your family if you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to go here are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with otherswhat can i do when social distancing try to look at this period of social distancing as an opportunity to get to things youve been meaning to do though you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperating kids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the virus pull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every evening its important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to call if all else fails go to bed early and get some extra sleep should i wear a face mask the cdc now recommends that everyone in the us wear nonsurgical masks when going out in public coronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come in a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hours what kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowingly while n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workers some parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your mask surgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancing the cdc has information on how to make wear and clean nonsurgical masks the who offers videos and illustrations on when and how to use a mask is it safe to travel by airplane stay current on travel advisories from regulatory agencies this is a rapidly changing situation anyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane is there a vaccine available no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works can a person who has had coronavirus get infected again while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could want over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen beforewill a pneumococcal vaccine help protect me against coronavirus vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnessesmy husband and i are in our 70s im otherwise healthy my husband is doing well but does have heart disease and diabetes my grandkids school has been closed for the next several weeks wed like to help out by watching our grandkids but dont know if that would be safe for us can you offer some guidance\npeople who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safestcan my pet infect me with the virus that causes covid19at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with petswhat can i do to keep my immune system strongyour immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your dietexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressure if you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth should i go to the doctor or dentist for nonurgent appointments during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matter as an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice should i postpone my elective surgeryits likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.09083177911241154, + 3235 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "What are cytokine storms and what do they have to do with COVID-19?", + "a cytokine storm is an overreaction of the bodys immune system in some people with covid19 the immune system releases immune messengers called cytokines into the bloodstream out of proportion to the threat or long after the virus is no longer a threatwhen this happens the immune system attacks the bodys own tissues potentially causing significant harm a cytokine storm triggers an exaggerated inflammatory response that may damage the liver blood vessels kidneys and lungs and increase formation of blood clots throughout the body ultimately the cytokine storm may cause more harm than the coronavirus itselfa simple blood test can help determine whether someone with covid19 may be experiencing a cytokine storm trials in countries around the world are investigating whether drugs that have been used to treat cytokine storms in people with other noncovid conditions could be effective in people with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13999999999999999, + 143 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "What can I do when social distancing?", + "try to look at this period of social distancing as an opportunity to get to things youve been meaning to dothough you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperatingkids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the viruspull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every eveningits important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to callif all else fails go to bed early and get some extra sleep", + "https://www.health.harvard.edu/", + "TRUE", + 0.025708616780045344, + 197 + ], + [ + "Does COVID-19 cause strokes? What about blood clots in other parts of the body?", + "strokes occur when the brains blood supply is interrupted usually by a blood clot recently there have been reports of a greaterthanexpected number of younger patients being hospitalized for and sometimes dying from serious strokes these strokes are happening in patients who test positive for coronavirus but who do not have any traditional risk factors for stroke they tend to have no covid19 symptoms or only mild symptoms the type of stroke occurring in these patients typically occurs in much older patientscovidrelated strokes occur because of a bodywide increase in blood clot formation which can damage any organ not just the brain a blood clot in the lungs is called pulmonary embolism and can cause shortness of breath chest pain or death a blood clot in or near the heart can cause a heart attack and blood clots in the kidneys can cause kidney damage requiring dialysiswe dont yet know if the coronavirus itself stimulates blood clots to form or if they are a result of an overactive immune response to the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.007024793388429759, + 173 + ], + [ + "What does it really mean to self-isolate or self-quarantine? What should or shouldn't I do?", + "if you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and communitystay home except to get medical care do not go to work school or public areasavoid using public transportation ridesharing or taxiscall ahead before visiting your doctorcall your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your homeas much as possible stay in a specific room and away from other people in your home use a separate bathroom if availablerestrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face maskwear a face mask if you are sickwear a face mask when you are around other people or pets and before you enter a doctors office or hospitalcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholclean your hands oftenwash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryavoid touching your eyes nose and mouth with unwashed handsdont share personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and waterclean all hightouch surfaces every dayhigh touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on thema list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakmonitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with othersif you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrive", + "https://www.health.harvard.edu/", + "TRUE", + -0.05539867109634551, + 679 + ], + [ + "I've heard that high-dose vitamin C is being used to treat patients with COVID-19. Does it work? And should I take vitamin C to prevent infection with the COVID-19 virus?", + "some critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stones", + "https://www.health.harvard.edu/", + "TRUE", + 0.10818181818181818, + 286 + ], + [ + "Coping with coronavirus", + "dealing with daily stress anxiety and a range of other emotions perhaps youre older worried that you may become infected and seriously ill maybe youre doing your best to keep your family healthy while trying to balance work with caring for your children while schools are closed or youre feeling isolated separated from friends and loved ones during this period of social distancingregardless of your specific circumstances its likely that youre wondering how to cope with the stress anxiety and other feelings that are surfacing a variety of stress management techniques which we delve into below can helpwebinar series regulating emotions building resiliency in the face of a pandemic this webinar series was created to support the students and staff of the harvard medical school community yet the lessons will be broadly applicable to all who are feeling the emotional strain of this unprecedented crisisdr luana marques is an associate professor at harvard medical schools department of psychiatry and clinical researcher at massachusetts general hospital who specializes in treating anxiety and stress disorders dr marques focuses on the science of anxiety and the specific impact that the covid19 pandemic is having on our ability to manage stress using role plays and examples she provides clear and accessible skills to help viewers manage their emotions during this very challenging timethe role of anxiety in this video we focus on how to assess the level of our anxiety and then we apply some of the concepts of cbt to a particular stressor that many people in our community are experiencing adapting to the everchanging timeline of how long we will need to practice social distancing and isolationslowing down the brain\nin this video we focus on skills for reducing the flow of anxious thoughts particularly as we consume massive amounts of frightening information about the covid19 crisischarging up and staying connected in this video we focus on the sense of loss that many of us are experiencing right now as a result of social distancing and how activating our brains and bodies can help us manage those emotionsexploring thoughts in this video we focus on how to interrogate the catastrophic thoughts that many of us are having right now and we offer specific tips for parents who are looking for strategies to help support the emotional health of their children during this crisisthe gad7 is a tool that can be used to selfassess your level of anxiety your responses are completely anonymous and are intended solely for your own learning and reflection if youd like you can complete this survey to tell dr marquess team about your experiences and questions related to managing anxiety in the face of the covid19 pandemic your responses are completely anonymous and are intended solely to provide the team that produced this series with feedback and ideas that could be addressed in subsequent videos harvard health publishing will not be receiving or responding to survey responses", + "https://www.health.harvard.edu/", + "TRUE", + 0.13189484126984122, + 489 + ], + [ + "Can COVID-19 symptoms worsen rapidly after several days of illness?", + "common symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face", + "https://www.health.harvard.edu/", + "TRUE", + 0.15870129870129868, + 108 + ], + [ + "What is coronavirus?", + "coronaviruses are an extremely common cause of colds and other upper respiratory infections", + "https://www.health.harvard.edu/", + "TRUE", + -0.14166666666666666, + 13 + ], + [ + "Why is it so difficult to develop treatments for viral illnesses?", + "an antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we develop", + "https://www.health.harvard.edu/", + "TRUE", + 0.16204545454545455, + 77 + ], + [ + "How deadly is COVID-19?", + "the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadly", + "https://www.health.harvard.edu/", + "TRUE", + 0.09391304347826088, + 194 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 101 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "What should I do if I think I or my child may have a COVID-19 infection?", + "first call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrival", + "https://www.health.harvard.edu/", + "TRUE", + 0.31375000000000003, + 107 + ], + [ + "As coronavirus spreads, many questions and some answers", + "the rapid spread of the virus that causes covid19 has sparked alarm worldwide the world health organization who has declared this rapidly spreading coronavirus outbreak a pandemic and countries around the world are grappling with a surge in confirmed cases in the us social distancing to slow the spread of coronavirus has created a new normal meanwhile scientists are exploring potential treatments and are beginning clinical trials to test new therapies and vaccines and hospitals are ramping up their capabilities to care for increasing numbers of infected patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07943722943722943, + 88 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminatedafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectantsthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 118 + ], + [ + "Should parents take babies for initial vaccines right now? What about toddlers and up who are due for vaccines?", + "the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits\ngetting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virusfor children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good ideathe best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child", + "https://www.health.harvard.edu/", + "TRUE", + 0.18416305916305917, + 186 + ], + [ + "What are the differences between the nasal swab and saliva tests for COVID-19?", + "until recently most tests for covid19 required a clinician to insert a long swab into the nose and sometimes down to the throat in midapril the fda granted emergency approval for a salivabased testthe saliva test is easier to perform spitting into a cup versus submitting to a swab and more comfortable because a person can independently spit into a cup the saliva test does not require interaction with a healthcare worker this cuts down on the need for masks gowns gloves and other protective equipment which has been in short supplyboth the saliva and swab tests work by detecting genetic material from the coronavirus both tests are very specific meaning that a positive test almost always means that the person is infected with the virus however both tests can be negative even if a person is proven later to be infected known as a false negative this is especially true for people who carry the virus but have no symptomssome early reports suggest that the saliva test may have fewer false negatives than the swab test if verified home testing could potentially quickly ramp up the widespread testing we desperately need", + "https://www.health.harvard.edu/", + "TRUE", + 0.01372474747474745, + 192 + ], + [ + "What is COVID-19?", + "covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06818181818181818, + 25 + ], + [ + "How is someone tested for COVID-19?", + "a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get better", + "https://www.health.harvard.edu/", + "TRUE", + 0.09559523809523808, + 155 + ], + [ + "Should I postpone my elective surgery?", + "its likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.07222222222222223, + 110 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soupsfrozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 100 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=%{customdata[2]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
label=%{customdata[3]}
polarity=%{customdata[4]}", + "legendgroup": "https://www.health.harvard.edu/", + "marker": { + "color": "#EF553B" + }, + "name": "https://www.health.harvard.edu/", + "notched": true, + "offsetgroup": "https://www.health.harvard.edu/", + "showlegend": false, + "type": "box", + "x": [ + 100, + 356, + 205, + 151, + 2664, + 111, + 134, + 364, + 132, + 135, + 45, + 268, + 3295, + 200, + 256, + 95, + 81, + 220, + 291, + 147, + 66, + 269, + 148, + 94, + 64, + 85, + 120, + 35, + 181, + 181, + 270, + 198, + 96, + 81, + 68, + 190, + 111, + 109, + 184, + 100, + 2062, + 1247, + 170, + 47, + 206, + 189, + 146, + 159, + 177, + 164, + 93, + 181, + 130, + 1288, + 272, + 134, + 60, + 54, + 91, + 80, + 208, + 190, + 204, + 413, + 67, + 190, + 270, + 72, + 34, + 75, + 218, + 167, + 166, + 286, + 391, + 83, + 128, + 50, + 3235, + 208, + 143, + 268, + 197, + 173, + 679, + 286, + 489, + 108, + 13, + 77, + 194, + 101, + 95, + 107, + 88, + 118, + 186, + 192, + 25, + 155, + 110, + 100 + ], + "xaxis": "x2", + "yaxis": "y2" + } + ], + "layout": { + "barmode": "relative", + "legend": { + "title": { + "text": "source" + }, + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "Distribution of article length of two sources" + }, + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 1 + ], + "title": { + "text": "text_len" + } + }, + "xaxis2": { + "anchor": "y2", + "domain": [ + 0, + 1 + ], + "matches": "x", + "showgrid": true, + "showticklabels": false + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 0.7326 + ], + "title": { + "text": "count of text" + } + }, + "yaxis2": { + "anchor": "x2", + "domain": [ + 0.7426, + 1 + ], + "matches": "y2", + "showgrid": false, + "showline": false, + "showticklabels": false, + "ticks": "" + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "df_new = df.loc[(df['source'] == 'Facebook') | (df['source'] == 'https://www.health.harvard.edu/')]\n", + "\n", + "fig = px.histogram(df_new, x=\"text_len\", y=\"text\", color='source',\n", + " marginal=\"box\",\n", + " hover_data=df_new.columns, nbins=100)\n", + "fig.update_layout(title_text='Distribution of article length of two sources', template=\"plotly_white\")\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 67, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "customdata": [ + [ + "How long is it between when a person is exposed to the virus and when they start showing symptoms?", + "recently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposure", + "https://www.health.harvard.edu/", + "TRUE", + -0.05, + 66 + ], + [ + "With schools closing in many parts of the country, is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes?", + "the truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all timesall people can do is try to minimize the risk by doing things likechoosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible\nmaking sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating", + "https://www.health.harvard.edu/", + "TRUE", + 0.1396031746031746, + 159 + ], + [ + "What are the differences between the nasal swab and saliva tests for COVID-19?", + "until recently most tests for covid19 required a clinician to insert a long swab into the nose and sometimes down to the throat in midapril the fda granted emergency approval for a salivabased testthe saliva test is easier to perform spitting into a cup versus submitting to a swab and more comfortable because a person can independently spit into a cup the saliva test does not require interaction with a healthcare worker this cuts down on the need for masks gowns gloves and other protective equipment which has been in short supplyboth the saliva and swab tests work by detecting genetic material from the coronavirus both tests are very specific meaning that a positive test almost always means that the person is infected with the virus however both tests can be negative even if a person is proven later to be infected known as a false negative this is especially true for people who carry the virus but have no symptomssome early reports suggest that the saliva test may have fewer false negatives than the swab test if verified home testing could potentially quickly ramp up the widespread testing we desperately need", + "https://www.health.harvard.edu/", + "TRUE", + 0.01372474747474745, + 192 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of blood convalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 190 + ], + [ + "What can I do to keep my immune system strong?", + "your immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your diet\nexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressureif you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth", + "https://www.health.harvard.edu/", + "TRUE", + 0.1301851851851852, + 198 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 135 + ], + [ + "What should and shouldn't I do during this time to avoid exposure to and spread of this coronavirus? For example, what steps should I take if I need to go shopping for food and staples? What about eating at restaurants, ordering takeout, going to the gym or swimming in a public pool?", + "the answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your familyif you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to gohere are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with others", + "https://www.health.harvard.edu/", + "TRUE", + 0.07107843137254902, + 164 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "Can my pet infect me with the virus that causes COVID-19?", + "at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with pets", + "https://www.health.harvard.edu/", + "TRUE", + -0.041666666666666664, + 47 + ], + [ + "What is social distancing and why is it important?", + "the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectantsocial distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community levelslowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07178631553631552, + 204 + ], + [ + "What can I do when social distancing?", + "try to look at this period of social distancing as an opportunity to get to things youve been meaning to dothough you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperatingkids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the viruspull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every eveningits important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to callif all else fails go to bed early and get some extra sleep", + "https://www.health.harvard.edu/", + "TRUE", + 0.025708616780045344, + 197 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 177 + ], + [ + "Coronavirus outbreak and kids", + "childrens lives have been turned upside down by this pandemic between schools being closed and playdates being cancelled childrens routines are anything but routine kids also have questions about coronavirus and benefit from ageappropriate answers that dont fuel the flame of anxiety it also helps to discuss and role model things they can control like hand washing social distancing and other healthpromoting behaviors are kids immune to the virus that causes covid19 children including very young children can develop covid19 however children tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illness should parents take babies for initial vaccines right now what about toddlers and up who are due for vaccines the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits getting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virus for children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good idea the best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child when do you need to bring your child to the doctor during this pandemic anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that way some things though do require an inperson appointment including illness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency room\nchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so checkups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices checkups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seen bottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor\nwith schools closing in many parts of the country is it okay to have babysitters or child care people in the house given no know exposures or illness in their homes\nthe truth is that the fewer people you and your children are exposed to the better however the reality is that not every family will be able to have a parent at home at all times all people can do is try to minimize the risk by doing things like choosing a babysitter who has minimal exposures to other people besides your family limiting the number of babysitters if you can keep it to one thats ideal but if not keep the number as low as possible making sure that the babysitter understands that he or she needs to practice social distancing and needs to let you know and not come to your house if he or she feels at all sick or has a known exposure to covid19 having the babysitter limit physical interactions and closeness with your children to the extent that this is possible making sure that everyone washes their hands frequently throughout the day especially before eating with social distancing rules in place libraries recreational sports and bigger sports events and other venues parents often take kids to are closing down are there any rules of thumb regarding play dates i dont want my kids parked in front of screens all day ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contact outdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoors you can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outside you can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.13522830344258918, + 1288 + ], + [ + "How soon after I'm infected with the new coronavirus will I start to be contagious?", + "the time from exposure to symptom onset known as the incubation period is thought to be three to 14 days though symptoms typically appear within four or five days after exposurewe know that a person with covid19 may be contagious 48 to 72 hours before starting to experience symptoms emerging research suggests that people may actually be most likely to spread the virus to others during the 48 hours before they start to experience symptomsif true this strengthens the case for face masks physical distancing and contact tracing all of which can help reduce the risk that someone who is infected but not yet contagious may unknowingly infect others", + "https://www.health.harvard.edu/", + "TRUE", + 0.11388888888888889, + 109 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "When can I discontinue my self-quarantine?", + "while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others", + "https://www.health.harvard.edu/", + "TRUE", + 0.25, + 54 + ], + [ + "How deadly is COVID-19?", + "the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadly", + "https://www.health.harvard.edu/", + "TRUE", + 0.09391304347826088, + 194 + ], + [ + "How can I protect myself while caring for someone that may have COVID-19?", + "you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if availablemake sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items", + "https://www.health.harvard.edu/", + "TRUE", + 0.09905753968253968, + 364 + ], + [ + "Coping with coronavirus", + "dealing with daily stress anxiety and a range of other emotions perhaps youre older worried that you may become infected and seriously ill maybe youre doing your best to keep your family healthy while trying to balance work with caring for your children while schools are closed or youre feeling isolated separated from friends and loved ones during this period of social distancingregardless of your specific circumstances its likely that youre wondering how to cope with the stress anxiety and other feelings that are surfacing a variety of stress management techniques which we delve into below can helpwebinar series regulating emotions building resiliency in the face of a pandemic this webinar series was created to support the students and staff of the harvard medical school community yet the lessons will be broadly applicable to all who are feeling the emotional strain of this unprecedented crisisdr luana marques is an associate professor at harvard medical schools department of psychiatry and clinical researcher at massachusetts general hospital who specializes in treating anxiety and stress disorders dr marques focuses on the science of anxiety and the specific impact that the covid19 pandemic is having on our ability to manage stress using role plays and examples she provides clear and accessible skills to help viewers manage their emotions during this very challenging timethe role of anxiety in this video we focus on how to assess the level of our anxiety and then we apply some of the concepts of cbt to a particular stressor that many people in our community are experiencing adapting to the everchanging timeline of how long we will need to practice social distancing and isolationslowing down the brain\nin this video we focus on skills for reducing the flow of anxious thoughts particularly as we consume massive amounts of frightening information about the covid19 crisischarging up and staying connected in this video we focus on the sense of loss that many of us are experiencing right now as a result of social distancing and how activating our brains and bodies can help us manage those emotionsexploring thoughts in this video we focus on how to interrogate the catastrophic thoughts that many of us are having right now and we offer specific tips for parents who are looking for strategies to help support the emotional health of their children during this crisisthe gad7 is a tool that can be used to selfassess your level of anxiety your responses are completely anonymous and are intended solely for your own learning and reflection if youd like you can complete this survey to tell dr marquess team about your experiences and questions related to managing anxiety in the face of the covid19 pandemic your responses are completely anonymous and are intended solely to provide the team that produced this series with feedback and ideas that could be addressed in subsequent videos harvard health publishing will not be receiving or responding to survey responses", + "https://www.health.harvard.edu/", + "TRUE", + 0.13189484126984122, + 489 + ], + [ + "Should I get a flu shot?", + "while the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.45555555555555555, + 68 + ], + [ + "Does COVID-19 cause strokes? What about blood clots in other parts of the body?", + "strokes occur when the brains blood supply is interrupted usually by a blood clot recently there have been reports of a greaterthanexpected number of younger patients being hospitalized for and sometimes dying from serious strokes these strokes are happening in patients who test positive for coronavirus but who do not have any traditional risk factors for stroke they tend to have no covid19 symptoms or only mild symptoms the type of stroke occurring in these patients typically occurs in much older patientscovidrelated strokes occur because of a bodywide increase in blood clot formation which can damage any organ not just the brain a blood clot in the lungs is called pulmonary embolism and can cause shortness of breath chest pain or death a blood clot in or near the heart can cause a heart attack and blood clots in the kidneys can cause kidney damage requiring dialysiswe dont yet know if the coronavirus itself stimulates blood clots to form or if they are a result of an overactive immune response to the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.007024793388429759, + 173 + ], + [ + "I have asthma. If I get COVID-19, am I more likely to become seriously ill?", + "yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancing washing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor", + "https://www.health.harvard.edu/", + "TRUE", + -0.12993197278911564, + 91 + ], + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "How reliable is the test for COVID-19?", + "in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for resultsif a test result comes back positive it is almost certain that the person is infecteda negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positiveif you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing", + "https://www.health.harvard.edu/", + "TRUE", + -0.08357082732082731, + 190 + ], + [ + "How many people have COVID-19?", + "the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continent", + "https://www.health.harvard.edu/", + "TRUE", + 0.4035714285714285, + 60 + ], + [ + "Is a lost sense of smell a symptom of COVID-19? What should I do if I lose my sense of smell?", + "increasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate", + "https://www.health.harvard.edu/", + "TRUE", + 0.0009618506493506484, + 269 + ], + [ + "I've heard that high-dose vitamin C is being used to treat patients with COVID-19. Does it work? And should I take vitamin C to prevent infection with the COVID-19 virus?", + "some critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stones", + "https://www.health.harvard.edu/", + "TRUE", + 0.10818181818181818, + 286 + ], + [ + "My husband and I are in our 70s. I'm otherwise healthy. My husband is doing well but does have heart disease and diabetes. My grandkids' school has been closed for the next several weeks. We'd like to help out by watching our grandkids but don't know if that would be safe for us. Can you offer some guidance?", + "people who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safest", + "https://www.health.harvard.edu/", + "TRUE", + 0.05851851851851851, + 93 + ], + [ + "Can I catch the coronavirus by eating food handled or prepared by others?", + "we are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwiches", + "https://www.health.harvard.edu/", + "TRUE", + 0.07391774891774892, + 132 + ], + [ + "As coronavirus spreads, many questions and some answers", + "the rapid spread of the virus that causes covid19 has sparked alarm worldwide the world health organization who has declared this rapidly spreading coronavirus outbreak a pandemic and countries around the world are grappling with a surge in confirmed cases in the us social distancing to slow the spread of coronavirus has created a new normal meanwhile scientists are exploring potential treatments and are beginning clinical trials to test new therapies and vaccines and hospitals are ramping up their capabilities to care for increasing numbers of infected patients", + "https://www.health.harvard.edu/", + "TRUE", + 0.07943722943722943, + 88 + ], + [ + "For how long after I am infected will I continue to be contagious? At what point in my illness will I be most contagious?", + "people are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms especially if they are coughing and sneezing but people with no symptoms can also spread the coronavirus to other people if they stand too close to them in fact people who are infected may be more likely to spread the illness if they are asymptomatic or in the days before they develop symptoms because they are less likely to be isolating or adopting behaviors designed to prevent spreadmost people with coronavirus who have symptoms will no longer be contagious by 10 days after symptoms resolve people who test positive for the virus but never develop symptoms over the following 10 days after testing are probably no longer contagious but again there are documented exceptions so some experts are still recommending 14 days of isolationone of the main problems with general rules regarding contagion and transmission of this coronavirus is the marked differences in how it behaves in different individuals thats why everyone needs to wear a mask and keep a physical distance of at least six feethere is a more scientific way to determine if you are no longer contagious have two nasalthroat tests or saliva tests 24 hours apart that are both negative for the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06957070707070707, + 218 + ], + [ + "How does COVID-19 affect children?", + "children including very young children can develop covid19 many of them have no symptoms those that do get sick tend to experience milder symptoms such as lowgrade fever fatigue and cough some children have had severe complications but this has been less common children with underlying health conditions may be at increased risk for severe illnessa complication that has more recently been observed in children can be severe and dangerous called multisystem inflammatory syndrome in children misc it can lead to lifethreatening problems with the heart and other organs in the body early reports compare it to kawasaki disease an inflammatory illness that can lead to heart problems but while some cases look very much like kawasakis others have been differentsymptoms of misc can include fever lasting more than a couple of days rash conjunctivitis redness of the white part of the eye stomachache vomiting andor diarrhea a large swollen lymph node in the neck red cracked lips a tongue that is redder than usual and looks like a strawberry swollen hands andor feet irritability andor unusual sleepiness or weaknessmany conditions can cause these symptoms doctors make the diagnosis of misc based on these symptoms along with a physical examination and medical tests that check for inflammation and how organs are functioning call the doctor if your child develops symptoms particularly if their fever lasts for more than a couple of days if the symptoms get any worse or just dont improve call again or bring your child to an emergency roomdoctors have had success using various treatments for inflammation as well as treatments to support organ systems that are having trouble while there have been some deaths most children who have developed misc have recovered", + "https://www.health.harvard.edu/", + "TRUE", + 0.04189655172413794, + 286 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "Preventing the spread of the coronavirus", + "youve gotten the basics down youre washing your hands regularly and keeping your distance from friends and family but you likely still have questions are you washing your hands often enough how exactly will social distancing help whats okay to do while social distancing and how can you strategically stock your pantry and medicine cabinet in order to minimize trips to the grocery store and pharmacy what can i do to protect myself and others from covid19 the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sick cover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak wash your hands often with soap and water this chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system\nwhat do i need to know about washing my hands effectively wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry always wash hands with soap and water if hands are visibly dirty the cdcs handwashing website has detailed instructions and a video about effective handwashing procedures how does coronavirus spread the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in public coronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyes how could contact tracing help slow the spread of covid19 anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect others contact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptoms the contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomswhat is social distancing and why is it important the covid19 virus primarily spreads when one person breathes in droplets that are produced when an infected person coughs or sneezes in addition any infected person with or without symptoms could spread the virus by touching a surface the coronavirus could remain on that surface and someone else could touch it and then touch their mouth nose or eyes thats why its so important to try to avoid touching public surfaces or at least try to wipe them with a disinfectant social distancing refers to actions taken to stop or slow down the spread of a contagious disease for an individual it refers to maintaining enough distance 6 feet or more between yourself and another person to avoid getting infected or infecting someone else school closures directives to work from home library closings and cancelling meetings and larger events help enforce social distancing at a community level slowing down the rate and number of new coronavirus infections is critical to reduce the risk that large numbers of critically ill patients cannot receive lifesaving care highly realistic projections show that unless we begin extreme social distancing now every day matters our hospitals and other healthcare facilities will not be able to handle the likely influx of patients what types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medicationsprescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat rotein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner what precautions can i take when grocery shopping the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through food safety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your face in the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your homewhat precautions can i take when unpacking my groceries recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated after unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants thoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store what should and shouldnt i do during this time to avoid exposure to and spread of this coronavirus for example what steps should i take if i need to go shopping for food and staples what about eating at restaurants ordering takeout going to the gym or swimming in a public pool\nthe answer to all of the above is that it is critical that everyone begin intensive social distancing immediately as much as possible limit contact with people outside your family if you need to get food staples medications or healthcare try to stay at least six feet away from others and wash your hands thoroughly after the trip avoiding contact with your face and mouth throughout prepare your own food as much as possible if you do order takeout open the bag box or containers then wash your hands lift fork or spoon out the contents into your own dishes after you dispose of these outside containers wash your hands again most restaurants gyms and public pools are closed but even if one is open now is not the time to go here are some other things to avoid playdates parties sleepovers having friends or family over for meals or visits and going to coffee shops essentially any nonessential activity that involves close contact with otherswhat can i do when social distancing try to look at this period of social distancing as an opportunity to get to things youve been meaning to do though you shouldnt go to the gym right now that doesnt mean you cant exercise take long walks or run outside do your best to maintain at least six feet between you and nonfamily members when youre outside do some yoga or other indoor exercise routines when the weather isnt cooperating kids need exercise too so try to get them outside every day for walks or a backyard family soccer game remember this isnt the time to invite the neighborhood kids over to play avoid public playground structures which arent cleaned regularly and can spread the virus pull out board games that are gathering dust on your shelves have family movie nights catch up on books youve been meaning to read or do a family readaloud every evening its important to stay connected even though we should not do so in person keep in touch virtually through phone calls skype video and other social media enjoy a leisurely chat with an old friend youve been meaning to call if all else fails go to bed early and get some extra sleep should i wear a face mask the cdc now recommends that everyone in the us wear nonsurgical masks when going out in public coronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come in a person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hours what kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowingly while n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workers some parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your mask surgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancing the cdc has information on how to make wear and clean nonsurgical masks the who offers videos and illustrations on when and how to use a mask is it safe to travel by airplane stay current on travel advisories from regulatory agencies this is a rapidly changing situation anyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane is there a vaccine available no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works can a person who has had coronavirus get infected again while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could want over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen beforewill a pneumococcal vaccine help protect me against coronavirus vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnessesmy husband and i are in our 70s im otherwise healthy my husband is doing well but does have heart disease and diabetes my grandkids school has been closed for the next several weeks wed like to help out by watching our grandkids but dont know if that would be safe for us can you offer some guidance\npeople who are older and older people with chronic medical conditions especially cardiovascular disease high blood pressure diabetes and lung disease are more likely to have severe disease or death from covid19 and should engage in strict social distancing without delay this is also the case for people or who are immunocompromised because of a condition or treatment that weakens their immune responsethe decision to provide onsite help with your children and grandchildren is a difficult one if there is an alternative to support their needs without being there that would be safestcan my pet infect me with the virus that causes covid19at present there is no evidence that pets such as dogs or cats can spread the covid19 virus to humans however pets can spread other infections that cause illness including e coli and salmonella so wash your hands thoroughly with soap and water after interacting with petswhat can i do to keep my immune system strongyour immune system is your bodys defense system when a harmful invader like a cold or flu virus or the coronavirus that causes covid19 gets into your body your immune system mounts an attack known as an immune response this attack is a sequence of events that involves various cells and unfolds over time\nfollowing general health guidelines is the best step you can take toward keeping your immune system strong and healthy every part of your body including your immune system functions better when protected from environmental assaults and bolstered by healthyliving strategies such as thesedont smoke or vapeeat a diet high in fruits vegetables and whole grainstake a multivitamin if you suspect that you may not be getting all the nutrients you need through your dietexercise regularlymaintain a healthy weightcontrol your stress levelcontrol your blood pressure if you drink alcohol drink only in moderation no more than one to two drinks a day for men no more than one a day for womenget enough sleeptake steps to avoid infection such as washing your hands frequently and trying not to touch your hands to your face since harmful germs can enter through your eyes nose and mouth should i go to the doctor or dentist for nonurgent appointments during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matter as an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice should i postpone my elective surgeryits likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.09083177911241154, + 3235 + ], + [ + "Can a person who has had coronavirus get infected again?", + "while we dont know the answer yet most people would likely develop at least shortterm immunity to the specific coronavirus that causes covid19 however that immunity could diminish over time and you would still be susceptible to a different coronavirus infection or this particular virus could mutate just like the influenza virus does each year often these mutations change the virus enough to make you susceptible because your immune system thinks it is an infection that it has never seen before", + "https://www.health.harvard.edu/", + "TRUE", + 0.05238095238095238, + 81 + ], + [ + "The flu kills more people than COVID-19, at least so far. Why are we so worried about COVID-19? Shouldn't we be more focused on preventing deaths from the flu?", + "youre right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19", + "https://www.health.harvard.edu/", + "TRUE", + -0.12071428571428573, + 96 + ], + [ + "How long can the coronavirus that causes COVID-19 survive on surfaces?", + "a recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfaces", + "https://www.health.harvard.edu/", + "TRUE", + 0.12760416666666669, + 200 + ], + [ + "My parents are older, which puts them at higher risk for COVID-19, and they don't live nearby. How can I help them if they get sick?", + "caring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touch", + "https://www.health.harvard.edu/", + "TRUE", + -0.13095238095238096, + 111 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 166 + ], + [ + "What can I do to protect myself and others from COVID-19?", + "the following actions help prevent the spread of covid19 as well as other coronaviruses and influenza avoid close contact with people who are sick avoid touching your eyes nose and mouth stay home when you are sickcover your cough or sneeze with a tissue then throw the tissue in the trash clean and disinfect frequently touched objects and surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakwash your hands often with soap and waterthis chart illustrates how protective measures such as limiting travel avoiding crowds social distancing and thorough and frequent handwashing can slow down the development of new covid19 cases and reduce the risk of overwhelming the health care system", + "https://www.health.harvard.edu/", + "TRUE", + 0.09697014790764792, + 151 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health suppliesprescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 80 + ], + [ + "How do I know if I have COVID-19 or the regular flu?", + "covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your area", + "https://www.health.harvard.edu/", + "TRUE", + -0.15999999999999998, + 67 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virus your body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptoms however serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 272 + ], + [ + "If you are at higher risk", + "if you are at increased risk for serious illness from covid19 you need to be especially careful to avoid infection you may have questions about your particular condition or treatment how it impacts your risk of infection and illness and what you need to do if you become ill your doctor is best equipped to provide individual advice but we provide some general guidelines below who is at highest risk for getting very sick from covid19 older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these include blood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeks diabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injuryim older and have a chronic medical condition which puts me at higher risk for getting seriously ill or even dying from covid19 what can i do to reduce my risk of exposure to the virus anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetes the cdc suggests the following measures for those who are at higher risk obtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and others when you go out in public keep away from others who are sick limit close contact and wash your hands often avoid crowds avoid cruise travel and nonessential air travel during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed i have a chronic medical condition that puts me at increased risk for severe illness from covid19 even though im only in my 30s what can i do to reduce my risk you can take steps to lower your risk of getting infected in the first place as much as possible limit contact with people outside your family maintain enough distance six feet or more between yourself and anyone outside your family wash your hands often with soap and warm water for 20 to 30 seconds as best you can avoid touching your eyes nose or mouth stay away from people who are sick during a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed clean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day in addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them up\ncall your doctor for additional advice specific to your conditioni have asthma if i get covid19 am i more likely to become seriously ill yes asthma may increase your risk of getting very sick from covid19 however you can take steps to lower your risk of getting infected in the first place these include social distancingwashing your hands often with soap and warm water for 20 to 30 seconds not touching your eyes nose or mouth staying away from people who are sickin addition you should continue to take your asthma medicines as prescribed to keep your asthma under control if you do get sick follow your asthma action plan and call your doctor im taking a medication that suppresses my immune system should i stop taking it so i have less chance of getting sick from the coronavirus\nif you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medicationi heard that certain blood pressure medicines might worsen symptoms of covid19 should i stop taking my medication now just in case i do get infected should i stop if i develop symptoms of covid19 you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetes at this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animals could this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumonia the reality today human studies have not confirmed the findings in animal studies some studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19 i live with my children and grandchildren what can i do to reduce the risk of getting sick when caring for my grandchildren in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.05178236446093589, + 1247 + ], + [ + "How long after I start to feel better will be it be safe for me to go back out in public again?", + "we dont know for certain based on the most recent research people may continue to be infected with the virus and be potentially contagious for many days after they are feeling better but these results need to be verified until then even after 10 days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least six feet of distance away from other people", + "https://www.health.harvard.edu/", + "TRUE", + 0.1717532467532468, + 85 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "I heard that certain blood pressure medicines might worsen symptoms of COVID-19. Should I stop taking my medication now just in case I do get infected? Should I stop if I develop symptoms of COVID-19?", + "you are referring to angiotensin converting enzyme ace inhibitors and angiotensin receptor blockers arbs two types of medications used primarily to treat high blood pressure hypertension and heart disease doctors also prescribe these medicines for people who have protein in their urine a common problem in people with diabetesat this time the american heart association aha the american college of cardiology acc and the heart failure society of america hfsa strongly recommend that people taking these medications should continue to do so even if they become infectedheres how this concern got started researchers doing animal studies on a different coronavirus the sars coronavirus from the early 2000s found that certain sites on lung cells called ace2 receptors appeared to help the sars virus enter the lungs and cause pneumonia ace inhibitor and arb drugs raised ace2 receptor levels in the animalscould this mean people taking these drugs are more susceptible to covid19 infection and are more likely to get pneumoniathe reality todayhuman studies have not confirmed the findings in animal studiessome studies suggest that ace inhibitors and arbs may reduce lung injury in people with other viral pneumonias the same might be true of pneumonia caused by the covid19 virusstopping your ace inhibitor or arb could actually put you at greater risk of complications from the infection since its likely that your blood pressure will rise and heart problems would get worsethe bottom line the aha acc and hfsa strongly recommend continuing to take ace inhibitor or arb medications even if you get sick with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.07054347826086955, + 256 + ], + [ + "What should I do if I think I or my child may have a COVID-19 infection?", + "first call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrival", + "https://www.health.harvard.edu/", + "TRUE", + 0.31375000000000003, + 107 + ], + [ + "Is there an antiviral treatment for COVID-19?", + "currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.11499999999999999, + 34 + ], + [ + "What do I need to know about washing my hands effectively?", + "wash your hands often with soap and water for at least 20 seconds especially after going to the bathroom before eating after blowing your nose coughing or sneezing and after handling anything thats come from outside your home if soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryalways wash hands with soap and water if hands are visibly dirtythe cdcs handwashing website has detailed instructions and a video about effective handwashing procedures", + "https://www.health.harvard.edu/", + "TRUE", + 0.028571428571428564, + 94 + ], + [ + "If you've been exposed to the coronavirus", + "as the new coronavirus spreads across the globe the chances that you will be exposed and get sick continue to increase if youve been exposed to someone with covid19 or begin to experience symptoms of the disease you may be asked to selfquarantine or selfisolate what does that entail and what can you do to prepare yourself for an extended stay at home how soon after youre infected will you start to be contagious and what can you do to prevent others in your household from getting sick what are the symptoms of covid19 some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumonia people with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptoms for example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke in addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtureswhat should i do if i think i or my child may have a covid19 infectionfirst call your doctor or pediatrician for adviceif you do not have a doctor and you are concerned that you or your child may have covid19 contact your local board of health they can direct you to the best place for evaluation and treatment in your areaits best to not seek medical care in an emergency department unless you have symptoms of severe illness severe symptoms include high or very low body temperature shortness of breath confusion or feeling you might pass out call the emergency department ahead of time to let the staff know that you are coming so they can be prepared for your arrivalhow do i know if i have covid19 or the regular flu covid19 often causes symptoms similar to those a person with a bad cold or the flu would experience and like the flu the symptoms can progress and become lifethreatening your doctor is more likely to suspect coronavirus ifyou have respiratory symptoms and you have been exposed to someone suspected of having covid19 or there has been community spread of the virus that causes covid19 in your areahow is someone tested for covid19a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get betterhow reliable is the test for covid19in the us the most common test for the covid19 virus looks for viral rna in a sample taken with a swab from a persons nose or throat tests results may come back in as little as 1545 minutes for some of the newer onsite tests with other tests you may wait three to four days for results if a test result comes back positive it is almost certain that the person is infected a negative test result is less definite an infected person could get a socalled false negative test result if the swab missed the virus for example or because of an inadequacy of the test itself we also dont yet know at what point during the course of illness a test becomes positive if you experience covidlike symptoms and get a negative test result there is no reason to repeat the test unless your symptoms get worse if your symptoms do worsen call your doctor or local or state healthcare department for guidance on further testing you should also selfisolate at home wear a mask if you have one when interacting with members of your household and practice social distancing what is serologic antibody testing for covid19 what can it be used for a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rate\nserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the community scientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the ushow soon after im infected with the new coronavirus will i start to be contagious the time from exposure to symptom onset known as the incubation period is thought to be 3 to 14 days though symptoms typically appear within four or five days after exposure we dont know the extent to which people who are not yet experiencing symptoms can infect others but its possible that people may be contagious for several days before they become symptomatic for how long after i am infected will i continue to be contagious at what point in my illness will i be most contagiouspeople are thought to be most contagious early in the course of their illness when they are beginning to experience symptoms the most recent research suggests that people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better if i get sick with covid19 how long until i will feel better it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease how long after i start to feel better will be it be safe for me to go back out in public again\nwe dont know for certain based on the most recent research people may continue to shed the virus and be potentially contagious for up to eight days after they are feeling better but these results need to be verified until then even after eight days of complete resolution of your symptoms you should still take all precautions if you do need to go out in public including wearing a mask minimizing touching surfaces and keeping at least 6 feet of distance away from other people whats the difference between selfisolation and selfquarantine and who should consider them selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negative selfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 viruswhat does it really mean to selfisolate or selfquarantine what should or shouldnt i doif you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and community stay home except to get medical care do not go to work school or public areas avoid using public transportation ridesharing or taxis call ahead before visiting your doctor call your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your home as much as possible stay in a specific room and away from other people in your home use a separate bathroom if available restrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask wear a face mask if you are sick wear a face mask when you are around other people or pets and before you enter a doctors office or hospital cover your coughs and sneezes cover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcohol clean your hands often wash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dry avoid touching your eyes nose and mouth with unwashed hands dont share personal household items do not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and water clean all hightouch surfaces every day high touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreak monitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with others if you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrivewhat types of medications and health supplies should i have on hand for an extended stay at home try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on hand medical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags should i keep extra food at home what kind consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstorms canned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner when can i discontinue my selfquarantine while many experts are recommending 14 days of selfquarantine for those who are concerned that they may be infected the decision to discontinue these measures should be made on a casebycase basis in consultation with your doctor and state and local health departments the decision will be based on the risk of infecting others how can i protect myself while caring for someone that may have covid19 you should take many of the same precautions as you would if you were caring for someone with the flustay in another room or be separated from the person as much as possible use a separate bedroom and bathroom if available make sure that shared spaces in the home have good air flow turn on an air conditioner or open a windowwash your hands often with soap and water for at least 20 seconds or use an alcoholbased hand sanitizer that contains 60 to 95 alcohol covering all surfaces of your hands and rubbing them together until they feel dry use soap and water if your hands are visibly dirtyavoid touching your eyes nose and mouth with unwashed handsextra precautionsyou and the person should wear a face mask if you are in the same roomwear a disposable face mask and gloves when you touch or have contact with the persons blood stool or body fluids such as saliva sputum nasal mucus vomit urinethrow out disposable face masks and gloves after using them do not reusefirst remove and throw away gloves then immediately clean your hands with soap and water or alcoholbased hand sanitizer next remove and throw away the face mask and immediately clean your hands again with soap and water or alcoholbased hand sanitizerdo not share household items such as dishes drinking glasses cups eating utensils towels bedding or other items with the person who is sick after the person uses these items wash them thoroughlyclean all hightouch surfaces such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every day also clean any surfaces that may have blood stool or body fluids on them use a household cleaning spray or wipewash laundry thoroughlyimmediately remove and wash clothes or bedding that have blood stool or body fluids on themwear disposable gloves while handling soiled items and keep soiled items away from your body clean your hands immediately after removing your glovesplace all used disposable gloves face masks and other contaminated items in a lined container before disposing of them with other household waste clean your hands with soap and water or an alcoholbased hand sanitizer immediately after handling these items\nmy parents are older which puts them at higher risk for covid19 and they dont live nearby how can i help them if they get sick\ncaring from a distance can be stressful start by talking to your parents about what they would need if they were to get sick put together a single list of emergency contacts for their and your reference including doctors family members neighbors and friends include contact information for their local public health departmentyou can also help them to plan ahead for example ask your parents to give their neighbors or friends a set of house keys have them stock up on prescription and overthe counter medications health and emergency medical supplies and nonperishable food and household supplies check in regularly by phone skype or however you like to stay in touchcan i infect my petthere have not been reports of pets or other animals becoming sick with covid19 but the cdc still recommends that people sick with covid19 limit contact with animals until more information is known if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.04052553229083844, + 3295 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "What's the difference between self-isolation and self-quarantine, and who should consider them?", + "selfisolation is voluntary isolation at home by those who have or are likely to have covid19 and are experiencing mild symptoms of the disease in contrast to those who are severely ill and may be isolated in a hospital the purpose of selfisolation is to prevent spread of infection from an infected person to others who are not infected if possible the decision to isolate should be based on physician recommendation if you have tested positive for covid19 you should selfisolateyou should strongly consider selfisolation if you have been tested for covid19 and are awaiting test results have been exposed to the new coronavirus and are experiencing symptoms consistent with covid19 fever cough difficulty breathing whether or not you have been testedyou may also consider selfisolation if you have symptoms consistent with covid19 fever cough difficulty breathing but have not had known exposure to the new coronavirus and have not been tested for the virus that causes covid19 in this case it may be reasonable to isolate yourself until your symptoms fully resolve or until you are able to be tested for covid19 and your test comes back negativeselfquarantine for 14 days by anyone with a household member who has been infected whether or not they themselves are infected is the current recommendation of the white house task force otherwise voluntary quarantine at home by those who may have been exposed to the covid19 virus but are not experiencing symptoms associated with covid19 fever cough difficulty breathing the purpose of selfquarantine as with selfisolation is to prevent the possible spread of covid19 when possible the decision to quarantine should be based on physician recommendation selfquarantine is reasonable if you are not experiencing symptoms but have been exposed to the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.12037037037037036, + 291 + ], + [ + "What is COVID-19?", + "covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.06818181818181818, + 25 + ], + [ + "Who is at highest risk for getting very sick from COVID-19?", + "older people especially those with underlying medical problems like chronic bronchitis emphysema heart failure or diabetes are more likely to develop serious illnessin addition several underlying medical conditions may increase the risk of serious covid19 for individuals of any age these includeblood disorders such as sickle cell disease or taking blood thinners chronic kidney disease chronic liver disease including cirrhosis and chronic hepatitis any condition or treatment that weakens the immune response cancer cancer treatment organ or bone marrow transplant immunosuppressant medications hiv or aids current or recent pregnancy in the last two weeksdiabetes inherited metabolic disorders and mitochondrial disorders heart disease including coronary artery disease congenital heart disease and heart failure lung disease including asthma copd chronic bronchitis or emphysema neurological and neurologic and neurodevelopment conditions such as cerebral palsy epilepsy seizure disorders stroke intellectual disability moderate to severe developmental delay muscular dystrophy or spinal cord injury", + "https://www.health.harvard.edu/", + "TRUE", + -0.018518518518518517, + 148 + ], + [ + "What treatments are available to treat coronavirus?", + "currently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams", + "https://www.health.harvard.edu/", + "TRUE", + -0.014285714285714282, + 83 + ], + [ + "Should I wear a face mask?", + "the cdc now recommends that everyone in the us wear nonsurgical masks when going out in publiccoronavirus primarily spreads when someone breathes in droplets containing virus that are produced when an infected person coughs or sneezes or when a person touches a contaminated surface and then touches their eyes nose or mouth but people who are infected but do not have symptoms or have not yet developed symptoms can also infect others thats where masks come ina person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air another person can breathe in these aerosols and become infected with the virus a mask can help prevent that spread an article published in nejm in march reported that aerosolized coronavirus could remain in the air for up to three hourswhat kind of mask should you wear because of the short supply people without symptoms or without exposure to someone known to be infected with the coronavirus can wear a cloth face covering over their nose and mouth they do help prevent others from becoming infected if you happen to be carrying the virus unknowinglywhile n95 masks are the most effective these medicalgrade masks are in short supply and should be reserved for healthcare workerssome parts of the us also have inadequate supplies of surgical masks if you have a surgical mask you may need to reuse it at this time but never share your masksurgical masks are preferred if you are caring for someone who has covid19 or you have any respiratory symptoms even mild symptoms and must go out in publicmasks are more effective when they are tightfitting and cover your entire nose and mouth they can help discourage you from touching your face be sure youre not touching your face more often to adjust the mask masks are meant to be used in addition to not instead of physical distancingthe cdc has information on how to make wear and clean nonsurgical masksthe who offers videos and illustrations on when and how to use a mask", + "https://www.health.harvard.edu/", + "TRUE", + 0.3052631578947368, + 356 + ], + [ + "What are the symptoms of COVID-19?", + "some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever body ache dry cough fatigue chills headache sore throat loss of appetite and loss of smell in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixtures", + "https://www.health.harvard.edu/", + "TRUE", + 0.011833333333333335, + 181 + ], + [ + "What are cytokine storms and what do they have to do with COVID-19?", + "a cytokine storm is an overreaction of the bodys immune system in some people with covid19 the immune system releases immune messengers called cytokines into the bloodstream out of proportion to the threat or long after the virus is no longer a threatwhen this happens the immune system attacks the bodys own tissues potentially causing significant harm a cytokine storm triggers an exaggerated inflammatory response that may damage the liver blood vessels kidneys and lungs and increase formation of blood clots throughout the body ultimately the cytokine storm may cause more harm than the coronavirus itselfa simple blood test can help determine whether someone with covid19 may be experiencing a cytokine storm trials in countries around the world are investigating whether drugs that have been used to treat cytokine storms in people with other noncovid conditions could be effective in people with covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13999999999999999, + 143 + ], + [ + "What is convalescent plasma? How could it help people with COVID-19?", + "when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimental", + "https://www.health.harvard.edu/", + "TRUE", + 0.23888888888888885, + 189 + ], + [ + "Who can donate plasma for COVID-19?", + "in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.04622727272727273, + 95 + ], + [ + "Are chloroquine/hydroxychloroquine and azithromycin safe and effective for treating COVID-19?", + "early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycin", + "https://www.health.harvard.edu/", + "TRUE", + 0.08660468319559228, + 268 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soupsfrozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 100 + ], + [ + "How could contact tracing help slow the spread of COVID-19?", + "anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptoms", + "https://www.health.harvard.edu/", + "TRUE", + 0.13055555555555556, + 134 + ], + [ + "Is it safe to travel by airplane?", + "stay current on travel advisories from regulatory agencies this is a rapidly changing situationanyone who has a fever and respiratory symptoms should not fly if at all possible even if a person has symptoms that feel like just a cold he or she should wear a mask on an airplane", + "https://www.health.harvard.edu/", + "TRUE", + -0.25, + 50 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "Can COVID-19 symptoms worsen rapidly after several days of illness?", + "common symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face", + "https://www.health.harvard.edu/", + "TRUE", + 0.15870129870129868, + 108 + ], + [ + "Treatments for COVID-19", + "most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19\nwhat is convalescent plasma how could it help people with covid19when people recover from covid19 their blood contains antibodies that their bodies produced to fight the coronavirus and help them get well antibodies are found in plasma a component of bloodconvalescent plasma literally plasma from recovered patients has been used for more than 100 years to treat a variety of illnesses from measles to polio chickenpox and sars in the current situation antibodycontaining plasma from a recovered patient is given by transfusion to a patient who is suffering from covid19 the donor antibodies help the patient fight the illness possibly shortening the length or reducing the severity of the diseasethough convalescent plasma has been used for many years and with varying success not much is known about how effective it is for treating covid19 there have been reports of success from china but no randomized controlled studies the gold standard for research studies have been done experts also dont yet know the best time during the course of the illness to give plasmaon march 24th the fda began allowing convalescent plasma to be used in patients with serious or immediately lifethreatening covid19 infections this treatment is still considered experimentalwho can donate plasma for covid19in order to donate plasma a person must meet several criteria they have to have tested positive for covid19 recovered have no symptoms for 14 days currently test negative for covid19 and have high enough antibody levels in their plasma a donor and patient must also have compatible blood types once plasma is donated it is screened for other infectious diseases such as hiveach donor produces enough plasma to treat one to three patients donating plasma should not weaken the donors immune system nor make the donor more susceptible to getting reinfected with the virusis there an antiviral treatment for covid19currently there is no specific antiviral treatment for covid19however drugs previously developed to treat other viral infections are being tested to see if they might also be effective against the virus that causes covid19\nwhy is it so difficult to develop treatments for viral illnessesan antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we developwhat treatments are available to treat coronaviruscurrently there is no specific antiviral treatment for covid19 however similar to treatment of any viral infection these measures can helpwhile you dont need to stay in bed you should get plenty of reststay well hydratedto reduce fever and ease aches and pains take acetaminophen be sure to follow directions if you are taking any combination cold or flu medicine keep track of all the ingredients and the doses for acetaminophen the total daily dose from all products should not exceed 3000 milligrams\nis it safe to take ibuprofen to treat symptoms of covid19some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoidedare chloroquinehydroxychloroquine and azithromycin safe and effective for treating covid19 early reports from china and france suggested that patients with severe symptoms of covid19 improved more quickly when given chloroquine or hydroxychloroquine some doctors were using a combination of hydroxychloroquine and azithromycin with some positive effectshydroxychloroquine and chloroquine are primarily used to treat malaria and several inflammatory diseases including lupus and rheumatoid arthritis azithromycin is a commonly prescribed antibiotic for strep throat and bacterial pneumonia both drugs are inexpensive and readily availablehydroxychloroquine and chloroquine have been shown to kill the covid19 virus in the laboratory dish the drugs appear to work through two mechanisms first they make it harder for the virus to attach itself to the cell inhibiting the virus from entering the cell and multiplying within it second if the virus does manage to get inside the cell the drugs kill it before it can multiplyazithromycin is never used for viral infections however this antibiotic does have some antiinflammatory action there has been speculation though never proven that azithromycin may help to dampen an overactive immune response to the covid19 infectionhowever the most recent human studies suggest no benefit and possibly a higher risk of death due to lethal heart rhythm abnormalities with both hydroxychloroquine and azithromycin used alone the drugs are especially dangerous when used in combinationbased on these new reports the fda now formally recommends against taking chloroquine or hydroxychloroquine for covid19 infection unless it is being prescribed in the hospital or as part of a clinical trial three days earlier a national institutes of health nih panel released a similar strong statement advising against the use of the combination of hydroxychloroquine and azithromycinis the antiviral drug remdesivir effective for treating covid19 scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virusthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safeive heard that highdose vitamin c is being used to treat patients with covid19 does it work and should i take vitamin c to prevent infection with the covid19 virussome critically ill patients with covid19 have been treated with high doses of intravenous iv vitamin c in the hope that it will hasten recovery however there is no clear or convincing scientific evidence that it works for covid19 infections and it is not a standard part of treatment for this new infection a study is underway in china to determine if this treatment is useful for patients with severe covid19 results are expected in the fallthe idea that highdose iv vitamin c might help in overwhelming infections is not new a 2017 study found that highdose iv vitamin c treatment along with thiamine and corticosteroids appeared to prevent deaths among people with sepsis a form of overwhelming infection causing dangerously low blood pressure and organ failure another study published last year assessed the effect of highdose vitamin c infusions among patients with severe infections who had sepsis and acute respiratory distress syndrome ards in which the lungs fill with fluid while the studys main measures of improvement did not improve within the first four days of vitamin c therapy there was a lower death rate at 28 days among treated patients though neither of these studies looked at vitamin c use in patients with covid19 the vitamin therapy was specifically given for sepsis and ards and these are the most common conditions leading to intensive care unit admission ventilator support or death among those with severe covid19 infectionsregarding prevention there is no evidence that taking vitamin c will help prevent infection with the coronavirus that causes covid19 while standard doses of vitamin c are generally harmless high doses can cause a number of side effects including nausea cramps and an increased risk of kidney stoneswhat is serologic antibody testing for covid19 what can it be used fora serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.1451683064410337, + 2062 + ], + [ + "Is the antiviral drug remdesivir effective for treating COVID-19?", + "scientists all over the world are testing whether drugs previously developed to treat other viral infections might also be effective against the new coronavirus that causes covid19one drug that has received a lot of attention is the antiviral drug remdesivir thats because the coronavirus that causes covid19 is similar to the coronaviruses that caused the diseases sars and mers and evidence from laboratory and animal studies suggests that remdesivir may help limit the reproduction and spread of these viruses in the body in particular there is a critical part of all three viruses that can be targeted by drugs that critical part which makes an important enzyme that the virus needs to reproduce is virtually identical in all three coronaviruses drugs like remdesivir that successfully hit that target in the viruses that cause sars and mers are likely to work against the covid19 virusremdesivir was developed to treat several other severe viral diseases including the disease caused by ebola virus not a coronavirus it works by inhibiting the ability of the coronavirus to reproduce and make copies of itself if it cant reproduce it cant make copies that spread and infect other cells and other parts of the bodyremdesivir inhibited the ability of the coronaviruses that cause sars and mers to infect cells in a laboratory dish the drug also was effective in treating these coronaviruses in animals there was a reduction in the amount of virus in the body and also an improvement in lung disease caused by the virus\nthe drug appears to be effective in the laboratory dish in protecting cells against infection by the covid virus as is true of the sars and mers coronaviruses but more studies are underway to confirm that this is trueremdesivir was used in the first case of covid19 that occurred in washington state in january 2020 the patient was severely ill but survived of course experience in one patient does not prove the drug is effectivetwo large randomized clinical trials are underway in china the two trials will enroll over 700 patients and are likely to definitively answer the question of whether the drug is effective in treating covid19 the results of those studies are expected in april or may 2020 studies also are underway in the united states including at several harvardaffiliated hospitals it is hard to predict when the drug could be approved for use and produced in large amounts assuming the clinical trials indicate that it is effective and safe", + "https://www.health.harvard.edu/", + "TRUE", + 0.17064306661080852, + 413 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminatedafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectantsthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 118 + ], + [ + "I'm older and have a chronic medical condition, which puts me at higher risk for getting seriously ill, or even dying from COVID-19. What can I do to reduce my risk of exposure to the virus?", + "anyone 60 years or older is considered to be at higher risk for getting very sick from covid19 this is true whether or not you also have an underlying medical condition although the sickest individuals and most of the deaths have been among people who were both older and had chronic medical conditions such as heart disease lung problems or diabetesthe cdc suggests the following measures for those who are at higher riskobtain several weeks of medications and supplies in case you need to stay home for prolonged periods of timetake everyday precautions to keep space between yourself and otherswhen you go out in public keep away from others who are sick limit close contact and wash your hands oftenavoid crowdsavoid cruise travel and nonessential air travelduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposed", + "https://www.health.harvard.edu/", + "TRUE", + -0.009383753501400572, + 147 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 205 + ], + [ + "Should parents take babies for initial vaccines right now? What about toddlers and up who are due for vaccines?", + "the answer depends on many factors including what your doctors office is offering as with all health care decisions it comes down to weighing risks and benefits\ngetting early immunizations in for babies and toddlers especially babies 6 months and younger has important benefits it helps to protect them from infections such as pneumococcus and pertussis that can be deadly at a time when their immune system is vulnerable at the same time they could be vulnerable to complications of covid19 should their trip to the doctor expose them to the virusfor children older than 2 years waiting is probably fine in most cases for some children with special conditions or those who are behind on immunizations waiting may not be a good ideathe best thing to do is call your doctors office find out what precautions they are taking to keep children safe and discuss your particular situation including not only your childs health situation but also the prevalence of the virus in your community and whether you have been or might have been exposed together you can make the best decision for your child", + "https://www.health.harvard.edu/", + "TRUE", + 0.18416305916305917, + 186 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 181 + ], + [ + "Should I keep extra food at home? What kind?", + "consider keeping a twoweek to 30day supply of nonperishable food at home these items can also come in handy in other types of emergencies such as power outages or snowstormscanned meats fruits vegetables and soups frozen fruits vegetables and meat protein or fruit bars dry cereal oatmeal or granola peanut butter or nuts pasta bread rice and other grains canned beans chicken broth canned tomatoes jarred pasta sauce oil for cooking flour sugar crackers coffee tea shelfstable milk canned juices bottled water canned or jarred baby food and formula pet food household supplies like laundry detergent dish soap and household cleaner", + "https://www.health.harvard.edu/", + "TRUE", + -0.05277777777777778, + 101 + ], + [ + "COVID-19 basics\nSymptoms, spread and other essential information about the new coronavirus and COVID-19", + "as we continually learn more about coronavirus and covid19 it can help to reacquaint yourself with some basic information for example understanding how the virus spreads reinforces the importance of social distancing and other healthpromoting behaviors knowing how long the virus survives on surfaces can guide how you clean your home and handle deliveries and reviewing the common symptoms of covid19 can help you know if its time to selfisolate what is coronaviruscoronaviruses are an extremely common cause of colds and other upper respiratory infectionswhat is covid19 covid19 short for coronavirus disease 2019 is the official name given by the world health organization to the disease caused by this newly identified coronavirushow many people have covid19the numbers are changing rapidlythe most uptodate information is available from the world health organization the us centers for disease control and prevention and johns hopkins universityit has spread so rapidly and to so many countries that the world health organization has declared it a pandemic a term indicating that it has affected a large population region country or continentdo adults younger than 65 who are otherwise healthy need to worry about covid19yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to otherswhat are the symptoms of covid19some people infected with the virus have no symptoms when the virus does cause symptoms common ones include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniapeople with covid19 are also experiencing neurological symptoms gastrointestinal gi symptoms or both these may occur with or without respiratory symptomsfor example covid19 affects brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokein addition some people have gastrointestinal gi symptoms such as loss of appetite nausea vomiting diarrhea and abdominal pain or discomfort associated with covid19 these symptoms might start before other symptoms such as fever body ache and cough the virus that causes covid19 has also been detected in stool which reinforces the importance of hand washing after every visit to the bathroom and regularly disinfecting bathroom fixturescan covid19 symptoms worsen rapidly after several days of illnesscommon symptoms of covid19 include fever dry cough fatigue loss of appetite loss of smell and body ache in some people covid19 causes more severe symptoms like high fever severe cough and shortness of breath which often indicates pneumoniaa person may have mild symptoms for about one week then worsen rapidly let your doctor know if your symptoms quickly worsen over a short period of time also call the doctor right away if you or a loved one with covid19 experience any of the following emergency symptoms trouble breathing persistent pain or pressure in the chest confusion or inability to arouse the person or bluish lips or face one of the symptoms of covid19 is shortness of breath what does that meanshortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm down however if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is over\nmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problemcan covid19 affect brain functioncovid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and strokeone study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe diseaseneurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptomsexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attentionis a lost sense of smell a symptom of covid19 what should i do if i lose my sense of smellincreasing evidence suggests that a lost sense of smell known medically as anosmia may be a symptom of covid19 this is not surprising because viral infections are a leading cause of loss of sense of smell and covid19 is a caused by a virus still loss of smell might help doctors identify people who do not have other symptoms but who might be infected with the covid19 virus and who might be unwittingly infecting othersa statement written by a group of ear nose and throat specialists otolaryngologists in the united kingdom reported that in germany two out of three confirmed covid19 cases had a loss of sense of smell in south korea 30 of people with mild symptoms who tested positive for covid19 reported anosmia as their main symptomon march 22nd the american academy of otolaryngologyhead and neck surgery recommended that anosmia be added to the list of covid19 symptoms used to screen people for possible testing or selfisolationin addition to covid19 loss of smell can also result from allergies as well as other viruses including rhinoviruses that cause the common cold so anosmia alone does not mean you have covid19 studies are being done to get more definitive answers about how common anosmia is in people with covid19 at what point after infection loss of smell occurs and how to distinguish loss of smell caused by covid19 from loss of smell caused by allergies other viruses or other causes altogetheruntil we know more tell your doctor right away if you find yourself newly unable to smell he or she may prompt you to get tested and to selfisolate\nhow long is it between when a person is exposed to the virus and when they start showing symptomsrecently published research found that on average the time from exposure to symptom onset known as the incubation period is about five to six days however studies have shown that symptoms could appear as soon as three days after exposure to as long as 13 days later these findings continue to support the cdc recommendation of selfquarantine and monitoring of symptoms for 14 days post exposurehow does coronavirus spreadthe coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungsa person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyeshow could contact tracing help slow the spread of covid19anyone who comes into close contact with someone who has covid19 is at increased risk of becoming infected themselves and of potentially infecting others contact tracing can help prevent further transmission of the virus by quickly identifying and informing people who may be infected and contagious so they can take steps to not infect otherscontact tracing begins with identifying everyone that a person recently diagnosed with covid19 has been in contact with since they became contagious in the case of covid19 a person may be contagious 48 to 72 hours before they started to experience symptomsthe contacts are notified about their exposure they may be told what symptoms to look out for advised to isolate themselves for a period of time and to seek medical attention as needed if they start to experience symptomshow deadly is covid19the answer depends on whether youre looking at the fatality rate the risk of death among those who are infected or the total number of deaths so far influenza has caused far more total deaths this flu season both in the us and worldwide than covid19 this is why you may have heard it said that the flu is a bigger threatregarding the fatality rate it appears that the risk of death with the pandemic coronavirus infection commonly estimated at about 1 is far less than it was for sars approximately 11 and mers about 35 but will likely be higher than the risk from seasonal flu which averages about 01 we will have a more accurate estimate of fatality rate for this coronavirus infection once testing becomes more availablewhat we do know so far is the risk of death very much depends on your age and your overall health children appear to be at very low risk of severe disease and death older adults and those who smoke or have chronic diseases such as diabetes heart disease or lung disease have a higher chance of developing complications like pneumonia which could be deadlywill warm weather slow or stop the spread of covid19some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weatherthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virushow long can the coronavirus stay airborne i have read different estimatesa study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020how long can the coronavirus that causes covid19 survive on surfacesa recent study found that the covid19 coronavirus can survive up to four hours on copper up to 24 hours on cardboard and up to two to three days on plastic and stainless steel the researchers also found that this virus can hang out as droplets in the air for up to three hours before they fall but most often they will fall more quicklytheres a lot we still dont know such as how different conditions such as exposure to sunlight heat or cold can affect these survival timesas we learn more continue to follow the cdcs recommendations for cleaning frequently touched surfaces and objects every day these include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesif surfaces are dirty first clean them using a detergent and water then disinfect them a list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakin addition wash your hands for 20 seconds with soap and water after bringing in packages or after trips to the grocery store or other places where you may have come into contact with infected surfacesshould i accept packages from chinathere is no reason to suspect that packages from china harbor coronavirus remember this is a respiratory virus similar to the flu we dont stop receiving packages from china during their flu season we should follow that same logic for the virus that causes covid19can i catch the coronavirus by eating food handled or prepared by otherswe are still learning about transmission of the new coronavirus its not clear if it can be spread by an infected person through food they have handled or prepared but if so it would more likely be the exception than the rulethat said the new coronavirus is a respiratory virus known to spread by upper respiratory secretions including airborne droplets after coughing or sneezing the virus that causes covid19 has also been detected in the stool of certain people so we currently cannot rule out the possibility of the infection being transmitted through food by an infected person who has not thoroughly washed their hands in the case of hot food the virus would likely be killed by cooking this may not be the case with uncooked foods like salads or sandwichesthe flu kills more people than covid19 at least so far why are we so worried about covid19 shouldnt we be more focused on preventing deaths from the fluyoure right to be concerned about the flu fortunately the same measures that help prevent the spread of the covid19 virus frequent and thorough handwashing not touching your face coughing and sneezing into a tissue or your elbow avoiding people who are sick and staying away from people if youre sick also help to protect against spread of the fluif you do get sick with the flu your doctor can prescribe an antiviral drug that can reduce the severity of your illness and shorten its duration there are currently no antiviral drugs available to treat covid19should i get a flu shotwhile the flu shot wont protect you from developing covid19 its still a good idea most people older than six months can and should get the flu vaccine doing so reduces the chances of getting seasonal flu even if the vaccine doesnt prevent you from getting the flu it can decrease the chance of severe symptoms but again the flu vaccine will not protect you against this coronavirus", + "https://www.health.harvard.edu/", + "TRUE", + 0.07404994062290714, + 2664 + ], + [ + "With social distancing rules in place, libraries, recreational sports and bigger sports events, and other venues parents often take kids to are closing down. Are there any rules of thumb regarding play dates? I don't want my kids parked in front of screens all day", + "ideally to make social distancing truly effective there shouldnt be play dates if you can be reasonably sure that the friend is healthy and has had no contact with anyone who might be sick then playing with a single friend might be okay but we cant really be sure if anyone has had contactoutdoor play dates where you can create more physical distance might be a compromise something like going for a bike ride or a hike allows you to be together while sharing fewer germs bringing and using hand sanitizer is still a good idea you need to have ground rules though about distance and touching and if you dont think its realistic that your children will follow those rules then dont do the play date even if it is outdoorsyou can still go for family hikes or bike rides where youre around to enforce social distancing rules family soccer games cornhole or badminton in the backyard are also fun ways to get outsideyou can also do virtual play dates using a platform like facetime or skype so children can interact and play without being in the same room", + "https://www.health.harvard.edu/", + "TRUE", + 0.29103641456582635, + 190 + ], + [ + "What precautions can I take when grocery shopping?", + "the coronavirus that causes covid19 is primarily transmitted through droplets containing virus or through viral particles that float in the air the virus may be breathed in directly and can also spread when a person touches a surface or object that has the virus on it and then touches their mouth nose or eyes there is no current evidence that the covid19 virus is transmitted through foodsafety precautions help you avoid breathing in coronavirus or touching a contaminated surface and touching your facein the grocery store maintain at least six feet of distance between yourself and other shoppers wipe frequently touched surfaces like grocery carts or basket handles with disinfectant wipes avoid touching your face wearing a cloth mask helps remind you not to touch your face and can further help reduce spread of the virus use hand sanitizer before leaving the store wash your hands as soon as you get homeif you are older than 65 or at increased risk for any reason limit trips to the grocery store ask a neighbor or friend to pick up groceries and leave them outside your house see if your grocery store offers special hours for older adults or those with underlying conditions or have groceries delivered to your home", + "https://www.health.harvard.edu/", + "TRUE", + 0.16436507936507938, + 208 + ], + [ + "How does coronavirus spread?", + "the coronavirus is thought to spread mainly from person to person this can happen between people who are in close contact with one another droplets that are produced when an infected person coughs or sneezes may land in the mouths or noses of people who are nearby or possibly be inhaled into their lungs\na person infected with coronavirus even one with no symptoms may emit aerosols when they talk or breathe aerosols are infectious viral particles that can float or drift around in the air for up to three hours another person can breathe in these aerosols and become infected with the coronavirus this is why everyone should cover their nose and mouth when they go out in publiccoronavirus can also spread from contact with infected surfaces or objects for example a person can get covid19 by touching a surface or object that has the virus on it and then touching their own mouth nose or possibly their eyesthe virus may be shed in saliva semen and feces whether it is shed in vaginal fluids isnt known kissing can transmit the virus transmission of the virus through feces or during vaginal or anal intercourse or oral sex appears to be extremely unlikely at this time", + "https://www.health.harvard.edu/", + "TRUE", + 0.18095238095238095, + 206 + ], + [ + "I have a chronic medical condition that puts me at increased risk for severe illness from COVID-19, even though I'm only in my 30s. What can I do to reduce my risk?", + "you can take steps to lower your risk of getting infected in the first placeas much as possible limit contact with people outside your familymaintain enough distance six feet or more between yourself and anyone outside your familywash your hands often with soap and warm water for 20 to 30 secondsas best you can avoid touching your eyes nose or mouthstay away from people who are sickduring a covid19 outbreak in your community stay home as much as possible to further reduce your risk of being exposedclean and disinfect hightouch surfaces in your home such as counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tables every dayin addition do your best to keep your condition wellcontrolled that means following your doctors recommendations including taking medications as directed if possible get a 90day supply of your prescription medications and request that they be mailed to you so you dont have to go to the pharmacy to pick them upcall your doctor for additional advice specific to your condition", + "https://www.health.harvard.edu/", + "TRUE", + 0.240625, + 170 + ], + [ + "Should I go to the doctor or dentist for nonurgent appointments?", + "during this period of social distancing it is best to postpone nonurgent appointments with your doctor or dentist these may include regular well visits or dental cleanings as well as followup appointments to manage chronic conditions if your health has been relatively stable in the recent past you should also postpone routine screening tests such as a mammogram or psa blood test if you are at average risk of disease many doctors offices have started restricting office visits to urgent matters only so you may not have a choice in the matteras an alternative doctors offices are increasingly providing telehealth services this may mean appointments by phone call or virtual visits using a video chat service ask to schedule a telehealth appointment with your doctor for a new or ongoing nonurgent matter if after speaking to you your doctor would like to see you in person he or she will let you knowwhat if your appointments are not urgent but also dont fall into the lowrisk category for example if you have been advised to have periodic scans after cancer remission if your doctor sees you regularly to monitor for a condition for which youre at increased risk or if your treatment varies based on your most recent test results in these and similar cases call your doctor for advice", + "https://www.health.harvard.edu/", + "TRUE", + 0.0910748106060606, + 220 + ], + [ + "What precautions can I take when unpacking my groceries?", + "recent studies have shown that the covid19 virus may remain on surfaces or objects for up to 72 hours this means virus on the surface of groceries will become inactivated over time after groceries are put away if you need to use the products before 72 hours consider washing the outside surfaces or wiping them with disinfectant the contents of sealed containers wont be contaminated\n\nafter unpacking your groceries wash your hands with soap and water for at least 20 seconds wipe surfaces on which you placed groceries while unpacking them with household disinfectants\n\nthoroughly rinse fruits and vegetables with water before consuming and wash your hands before consuming any foods that youve recently brought home from the grocery store", + "https://www.health.harvard.edu/", + "TRUE", + -0.075, + 120 + ], + [ + "Should I postpone my elective surgery?", + "its likely that your elective surgery or procedure will be canceled or rescheduled by the hospital or medical center in which you are scheduled to have the procedure if not then during this period of social distancing you should consider postponing any procedure that can waitthat being said keep in mind that elective is a relative term for instance you may not have needed immediate surgery for sciatica caused by a herniated disc but the pain may be so severe that you would not be able to endure postponing the surgery for weeks or perhaps months in that case you and your doctor should make a shared decision about proceeding", + "https://www.health.harvard.edu/", + "TRUE", + 0.07222222222222223, + 110 + ], + [ + "Treatments for COVID-19", + "what helps what doesnt and whats in the pipeline most people who become ill with covid19 will be able to recover at home no specific treatments for covid19 exist right now but some of the same things you do to feel better if you have the flu getting enough rest staying well hydrated and taking medications to relieve fever and aches and pains also help with covid19in the meantime scientists are working hard to develop effective treatments therapies that are under investigation include drugs that have been used to treat malaria and autoimmune diseases antiviral drugs that were developed for other viruses and antibodies from people who have recovered from covid19", + "https://www.health.harvard.edu/", + "TRUE", + 0.13075396825396823, + 111 + ], + [ + "What does it really mean to self-isolate or self-quarantine? What should or shouldn't I do?", + "if you are sick with covid19 or think you may be infected with the covid19 virus it is important not to spread the infection to others while you recover while homeisolation or homequarantine may sound like a staycation you should be prepared for a long period during which you might feel disconnected from others and anxious about your health and the health of your loved ones staying in touch with others by phone or online can be helpful to maintain social connections ask for help and update others on your conditionheres what the cdc recommends to minimize the risk of spreading the infection to others in your home and communitystay home except to get medical care do not go to work school or public areasavoid using public transportation ridesharing or taxiscall ahead before visiting your doctorcall your doctor and tell them that you have or may have covid19 this will help the healthcare providers office to take steps to keep other people from getting infected or exposedseparate yourself from other people and animals in your homeas much as possible stay in a specific room and away from other people in your home use a separate bathroom if availablerestrict contact with pets and other animals while you are sick with covid19 just like you would around other people when possible have another member of your household care for your animals while you are sick if you must care for your pet or be around animals while you are sick wash your hands before and after you interact with pets and wear a face maskwear a face mask if you are sickwear a face mask when you are around other people or pets and before you enter a doctors office or hospitalcover your coughs and sneezescover your mouth and nose with a tissue when you cough or sneeze and throw used tissues in a lined trash canimmediately wash your hands with soap and water for at least 20 seconds after you sneeze if soap and water are not available clean your hands with an alcoholbased hand sanitizer that contains at least 60 alcoholclean your hands oftenwash your hands often with soap and water for at least 20 seconds especially after blowing your nose coughing or sneezing going to the bathroom and before eating or preparing foodif soap and water are not readily available use an alcoholbased hand sanitizer with at least 60 alcohol covering all surfaces of your hands and rubbing them together until they feel dryavoid touching your eyes nose and mouth with unwashed handsdont share personal household itemsdo not share dishes drinking glasses cups eating utensils towels or bedding with other people or pets in your homeafter using these items they should be washed thoroughly with soap and waterclean all hightouch surfaces every dayhigh touch surfaces include counters tabletops doorknobs bathroom fixtures toilets phones keyboards tablets and bedside tablesclean and disinfect areas that may have any bodily fluids on thema list of products suitable for use against covid19 is available here this list has been preapproved by the us environmental protection agency epa for use during the covid19 outbreakmonitor your symptomsmonitor yourself for fever by taking your temperature twice a day and remain alert for cough or difficulty breathingif you have not had symptoms and you begin to feel feverish or develop measured fever cough or difficulty breathing immediately limit contact with others if you have not already done so call your doctor or local health department to determine whether you need a medical evaluation\nseek prompt medical attention if your illness is worsening for example if you have difficulty breathing before going to a doctors office or hospital call your doctor and tell them that you have or are being evaluated for covid19put on a face mask before you enter a healthcare facility or any time you may come into contact with othersif you have a medical emergency and need to call 911 notify the dispatch personnel that you have or are being evaluated for covid19 if possible put on a face mask before emergency medical services arrive", + "https://www.health.harvard.edu/", + "TRUE", + -0.05539867109634551, + 679 + ], + [ + "When do you need to bring your child to the doctor during this pandemic?", + "anything that isnt urgent should be postponed until a safer time this would include checkups for healthy children over 2 years many practices are postponing checkups even for younger children if they are generally healthy it would also include follow up appointments for anything that can wait like a followup for adhd in a child that is doing well socially and academically your doctors office can give you guidance about what can wait and when to reschedule many practices are offering phone or telemedicine visits and its remarkable how many things can be addressed that waysome things though do require an inperson appointment includingillness or injury that could be serious such as a child with trouble breathing significant pain unusual sleepiness a high fever that wont come down or a cut that may need stitches or a bone that may be broken call your doctor for guidance as to whether you should bring your child to the office or a local emergency roomchildren who are receiving ongoing treatments for a serious medical condition such as cancer kidney disease or a rheumatologic disease these might include chemotherapy infusions of other medications dialysis or transfusions your doctor will advise you about any changes in treatments or how they are to be given during the pandemic do not skip any appointments unless your doctor tells you to do so\ncheckups for very young children who need vaccines and to have their growth checked check with your doctor regarding their current policies and practices\ncheckups and visits for children with certain health conditions this might include children with breathing problems whose lungs need to be listened to children who need vaccinations to protect their immune system children whose blood pressure is too high children who arent gaining weight children who need stitches out or a cast off or children with abnormal blood tests that need rechecking if your child is being followed for a medical problem call your doctor for advice together you can figure out when and how your child should be seenbottom line talk to your doctor the decision will depend on a combination of factors including your childs condition how prevalent the virus is in your community whether you have had any exposures or possible exposures what safeguards your doctor has put into place and how you would get to the doctor", + "https://www.health.harvard.edu/", + "TRUE", + 0.11019988242210464, + 391 + ], + [ + "One of the symptoms of COVID-19 is shortness of breath. What does that mean?", + "shortness of breath refers to unexpectedly feeling out of breath or winded but when should you worry about shortness of breath there are many examples of temporary shortness of breath that are not worrisome for example if you feel very anxious its common to get short of breath and then it goes away when you calm downhowever if you find that you are ever breathing harder or having trouble getting air each time you exert yourself you always need to call your doctor that was true before we had the recent outbreak of covid19 and it will still be true after it is overmeanwhile its important to remember that if shortness of breath is your only symptom without a cough or fever something other than covid19 is the likely problem", + "https://www.health.harvard.edu/", + "TRUE", + 0.06333333333333332, + 130 + ], + [ + "What is serologic (antibody) testing for COVID-19? What can it be used for?", + "a serologic test is a blood test that looks for antibodies created by your immune system there are many reasons you might make antibodies the most important of which is to help fight infections the serologic test for covid19 specifically looks for antibodies against the covid19 virusyour body takes at least five to 10 days after you have acquired the infection to develop antibodies to this virus for this reason serologic tests are not sensitive enough to accurately diagnose an active covid19 infection even in people with symptomshowever serologic tests can help identify anyone who has recovered from coronavirus this may include people who were not initially identified as having covid19 because they had no symptoms had mild symptoms chose not to get tested had a falsenegative test or could not get tested for any reason serologic tests will provide a more accurate picture of how many people have been infected with and recovered from coronavirus as well as the true fatality rateserologic tests may also provide information about whether people become immune to coronavirus once theyve recovered and if so how long that immunity lasts in time these tests may be used to determine who can safely go back out into the communityscientists can also study coronavirus antibodies to learn which parts of the coronavirus the immune system responds to in turn giving them clues about which part of the virus to target in vaccines they are developingserological tests are starting to become available and are being developed by many private companies worldwide however the accuracy of these tests needs to be validated before widespread use in the us", + "https://www.health.harvard.edu/", + "TRUE", + 0.20714285714285713, + 270 + ], + [ + "I live with my children and grandchildren. What can I do to reduce the risk of getting sick when caring for my grandchildren?", + "in a situation where there is no choice such as if the grandparent lives with the grandchildren then the family should do everything they can to try to limit the risk of covid19 the grandchildren should be isolated as much as possible as should the parents so that the overall family risk is as low as possible everyone should wash their hands very frequently throughout the day and surfaces should be wiped clean frequently physical contact should be limited to the absolutely necessary as wonderful as it can be to snuggle with grandma or grandpa now is not the time", + "https://www.health.harvard.edu/", + "TRUE", + 0.12956709956709958, + 100 + ], + [ + "I'm taking a medication that suppresses my immune system. Should I stop taking it so I have less chance of getting sick from the coronavirus?", + "if you contract the virus your response to it will depend on many factors only one of which is taking medication that suppresses your immune system in addition stopping the medication on your own could cause your underlying condition to get worse most importantly dont make this decision on your own its always best not to adjust the dose or stop taking a prescription medication without first talking to the doctor who prescribed the medication", + "https://www.health.harvard.edu/", + "TRUE", + 0.38333333333333336, + 75 + ], + [ + "Is there a vaccine available?", + "no vaccine is available although scientists will be starting human testing on a vaccine very soon however it may be a year or more before we even know if we have a vaccine that works", + "https://www.health.harvard.edu/", + "TRUE", + 0.22000000000000003, + 35 + ], + [ + "Will a pneumococcal vaccine help protect me against coronavirus?", + "vaccines against pneumonia such as pneumococcal vaccine and haemophilus influenza type b hib vaccine only help protect people from these specific bacterial infections they do not protect against any coronavirus pneumonia including pneumonia that may be part of covid19 however even though these vaccines do not specifically protect against the coronavirus that causes covid19 they are highly recommended to protect against other respiratory illnesses", + "https://www.health.harvard.edu/", + "TRUE", + 0.007000000000000001, + 64 + ], + [ + "What is coronavirus?", + "coronaviruses are an extremely common cause of colds and other upper respiratory infections", + "https://www.health.harvard.edu/", + "TRUE", + -0.14166666666666666, + 13 + ], + [ + "Do adults younger than 65 who are otherwise healthy need to worry about COVID-19?", + "yes they do though people younger than 65 are much less likely to die from covid19 they can get sick enough from the disease to require hospitalization according to a report published in the cdcs morbidity and mortality weekly report mmwr in late march nearly 40 of people hospitalized for covid19 between midfebruary and midmarch were between the ages of 20 and 54 drilling further down by age mmwr reported that 20 of hospitalized patients and 12 of covid19 patients in icus were between the ages of 20 and 44people of any age should take preventive health measures like frequent hand washing physical distancing and wearing a mask when going out in public to help protect themselves and to reduce the chances of spreading the infection to others", + "https://www.health.harvard.edu/", + "TRUE", + -0.0947089947089947, + 128 + ], + [ + "Will warm weather slow or stop the spread of COVID-19?", + "some viruses like the common cold and flu spread more when the weather is colder but it is still possible to become sick with these viruses during warmer monthsat this time we do not know for certain whether the spread of covid19 will decrease when the weather warms up but a new report suggests that warmer weather may not have much of an impactthe report published in early april by the national academies of sciences engineering and medicine summarized research that looked at how well the covid19 coronavirus survives in varying temperatures and humidity levels and whether the spread of this coronavirus may slow in warmer and more humid weather\nthe report found that in laboratory settings higher temperatures and higher levels of humidity decreased survival of the covid19 coronavirus however studies looking at viral spread in varying climate conditions in the natural environment had inconsistent resultsthe researchers concluded that conditions of increased heat and humidity alone may not significantly slow the spread of the covid19 virus", + "https://www.health.harvard.edu/", + "TRUE", + 0.005397727272727264, + 167 + ], + [ + "Is it safe to take ibuprofen to treat symptoms of COVID-19?", + "some french doctors advise against using ibuprofen motrin advil many generic versions for covid19 symptoms based on reports of otherwise healthy people with confirmed covid19 who were taking an nsaid for symptom relief and developed a severe illness especially pneumonia these are only observations and not based on scientific studiesthe who initially recommended using acetaminophen instead of ibuprofen to help reduce fever and aches and pains related to this coronavirus infection but now states that either acetaminophen or ibuprofen can be used rapid changes in recommendations create uncertainty since some doctors remain concerned about nsaids it still seems prudent to choose acetaminophen first with a total dose not exceeding 3000 milligrams per dayhowever if you suspect or know you have covid19 and cannot take acetaminophen or have taken the maximum dose and still need symptom relief taking overthecounter ibuprofen does not need to be specifically avoided", + "https://www.health.harvard.edu/", + "TRUE", + 0.14583333333333334, + 146 + ], + [ + "Why is it so difficult to develop treatments for viral illnesses?", + "an antiviral drug must be able to target the specific part of a viruss life cycle that is necessary for it to reproduce in addition an antiviral drug must be able to kill a virus without killing the human cell it occupies and viruses are highly adaptive because they reproduce so rapidly they have plenty of opportunity to mutate change their genetic information with each new generation potentially developing resistance to whatever drugs or vaccines we develop", + "https://www.health.harvard.edu/", + "TRUE", + 0.16204545454545455, + 77 + ], + [ + "If I get sick with COVID-19, how long until I will feel better?", + "it depends on how sick you get those with mild cases appear to recover within one to two weeks with severe cases recovery can take six weeks or more according to the most recent estimates about 1 of infected persons will succumb to the disease", + "https://www.health.harvard.edu/", + "TRUE", + 0.12380952380952381, + 45 + ], + [ + "How is someone tested for COVID-19?", + "a specialized test must be done to confirm that a person has been infected with the virus that causes covid19 most often a clinician takes a swab of your nose or both your nose and throat new methods of testing that can be done on site will become more available over the next few weeks these new tests can provide results in as little as 1545 minutes meanwhile most tests will still be delivered to labs that have been approved to perform the testsome people are starting to have a blood test to look for antibodies to the covid19 virus because the blood test for antibodies doesnt become positive until after an infected person improves it is not useful as a diagnostic test at this time scientists are using this blood antibody test to identify potential plasma donors the antibodies can be purified from the plasma and may help some very sick people get better", + "https://www.health.harvard.edu/", + "TRUE", + 0.09559523809523808, + 155 + ], + [ + "What types of medications and health supplies should I have on hand for an extended stay at home?", + "try to stock at least a 30day supply of any needed prescriptions if your insurance permits 90day refills thats even better make sure you also have overthecounter medications and other health supplies on handmedical and health supplies prescription medications prescribed medical supplies such as glucose and bloodpressure monitoring equipment fever and pain medicine such as acetaminophen cough and cold medicines antidiarrheal medication thermometer fluids with electrolytes soap and alcoholbased hand sanitizer tissues toilet paper disposable diapers tampons sanitary napkins garbage bags", + "https://www.health.harvard.edu/", + "TRUE", + -0.006481481481481484, + 81 + ], + [ + "Can COVID-19 affect brain function?", + "covid19 does appear to affect brain function in some people specific neurological symptoms seen in people with covid19 include loss of smell inability to taste muscle weakness tingling or numbness in the hands and feet dizziness confusion delirium seizures and stroke one study that looked at 214 people with moderate to severe covid19 in wuhan china found that about onethird of those patients had one or more neurological symptoms neurological symptoms were more common in people with more severe disease neurological symptoms have also been seen in covid19 patients in the us and around the world some people with neurological symptoms tested positive for covid19 but did not have any respiratory symptoms like coughing or difficulty breathing others experienced both neurological and respiratory symptoms\nexperts do not know how the coronavirus causes neurological symptoms they may be a direct result of infection or an indirect consequence of inflammation or altered oxygen and carbon dioxide levels caused by the virusthe cdc has added new confusion or inability to rouse to its list of emergency warning signs that should prompt you to get immediate medical attention", + "https://www.health.harvard.edu/", + "TRUE", + 0.20113636363636364, + 184 + ], + [ + "How long can the coronavirus stay airborne? I have read different estimates.", + "a study done by national institute of allergy and infectious diseases laboratory of virology in the division of intramural research in hamilton montana helps to answer this question the researchers used a nebulizer to blow coronaviruses into the air they found that infectious viruses could remain in the air for up to three hours the results of the study were published in the new england journal of medicine on march 17 2020", + "https://www.health.harvard.edu/", + "TRUE", + 0.13636363636363635, + 72 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=%{customdata[2]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
label=%{customdata[3]}
polarity=%{customdata[4]}", + "legendgroup": "https://www.health.harvard.edu/", + "marker": { + "color": "#636efa" + }, + "name": "https://www.health.harvard.edu/", + "offsetgroup": "https://www.health.harvard.edu/", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 66, + 159, + 192, + 190, + 198, + 135, + 164, + 208, + 47, + 204, + 197, + 177, + 1288, + 109, + 134, + 54, + 194, + 364, + 489, + 68, + 173, + 91, + 100, + 190, + 60, + 269, + 286, + 93, + 132, + 88, + 218, + 286, + 268, + 3235, + 81, + 96, + 200, + 111, + 166, + 151, + 80, + 67, + 272, + 1247, + 85, + 181, + 256, + 107, + 34, + 94, + 3295, + 95, + 291, + 25, + 148, + 83, + 356, + 181, + 143, + 189, + 95, + 268, + 100, + 134, + 50, + 270, + 108, + 2062, + 413, + 118, + 147, + 205, + 186, + 181, + 101, + 2664, + 190, + 208, + 206, + 170, + 220, + 120, + 110, + 111, + 679, + 391, + 130, + 270, + 100, + 75, + 35, + 64, + 13, + 128, + 167, + 146, + 77, + 45, + 155, + 81, + 184, + 72 + ], + "y0": " ", + "yaxis": "y" + }, + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "customdata": [ + [ + "CEO Resignations Are Linked To Global Conspiracy", + "right before corona virus cameceo of disney stepped down ceo of tinder hinge okcupid match all stepped down ceo of hulu stepped down ceo of medmen stepped down ceo of l brands like victoria secret bath and body works stepped down ceo of salesforces stepped down ceo of harley davidson stepped down ceo of ibm stepped down ceo of t mobile stepping down ceo of linkedin stepping down ceo of mastercard is stepping down and soooooo many more but lets just stick with these that most know about", + "Facebook", + "FAKE", + -0.02033730158730164, + 88 + ], + [ + "while people were “distracted by the coronavirus” companies were “working flat out” to install new 5G masts.coronavirus being a “distraction” to install 5G infrastructure", + "while people were distracted by the coronavirus companies were working flat out to install new 5g masts", + "Facebook", + "FAKE", + 0.05568181818181818, + 17 + ], + [ + "Bill Gates Personally Profits From A COVID-19 Vaccine And He Owns A Company That Will Put A Tracking Microchip In You", + "how are more americans not completely outraged about what is going on in our countrydoes no one else find it weird that billgates an unelected official a computer guy with no medical degree seems to be the worlds leading health expert on the coronavirus telling everyone what we need to do when its safe to go back to normalits a little odd that the same guy who led event 201 just a few weeks before the first outbreak in china where they had an exercise preparing planning for a pandemic outbreak can you guess what virus they chose for this hypothetical exercise if you guessed the coronavirus you must be a psychicthis is the same guy thats going to profit the most from this virus with his vaccines hes pushing on everyone i can guarantee you right now they will make this a seasonal virus just like the flu so they can profit off the vaccines every yearin the past week hes been making the media rounds on cnn other shows saying we can all gather again once weve all been vaccinated in another interview he said that you will need to provide a vaccination certificate to work travelhe also has a company called id 2020 which will track everyone through microchips the size of a grain of rice that they inject into you with a needle it will track everywhere you go everything you do but please dont take my word for it google id 2020 this is not the future they have already done it in some countries even some workplacesmight i also add that this diabolical man is also the largest donor of the world health organization think about that folks there is an agenda", + "Facebook", + "FAKE", + 0.06214985994397759, + 288 + ], + [ + "The coronavirus pandemic can be dramatically slowed, or stopped, with the immediate widespread use of high doses of vitamin C", + "the coronavirus pandemic can be dramatically slowed or stopped with the immediate widespread use of high doses of vitamin c", + "Facebook", + "FAKE", + 0.16, + 20 + ], + [ + "The CDC recommends men shave their beards to be protected against the new coronavirus", + "health authorities have recommended shaving their beards to protect themselves from the coronavirus ", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + null, + "people have been trying to warn us about 5g for years petitions organizations studieswhat were going thru is the affects of radiation 5g launched in china nov 1 2019 people dropped dead see attached go to my ig stories for more turn off 5g by disabling lte", + "Facebook", + "FAKE", + 0.15, + 47 + ], + [ + null, + "corona virus before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water salt or vinegar eliminates the virus", + "Facebook", + "FAKE", + 0.6, + 45 + ], + [ + null, + "the tragic death of kobe bryant and his daughter in a helicopter crash was in fact an illuminati blood sacrifice ahead of a mass murder plot ie coronavirus that would allow the cult to introduce a dangerous new vaccinethe scientificallybaseless conspiracy theory that 5g is linked to coronavirus and talks about coronavirusrelated disinformation peddled by qanon a farright conspiracy theory alleging a deep state plot against us president donald trump", + "Facebook", + "FAKE", + -0.30340909090909096, + 70 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "you should drink water every quarter of an hour to keep your mouth and throat moist because the virus will pass through the esophagus directly into the stomach where stomach acids destroy the virus", + "Facebook", + "FAKE", + -0.05, + 34 + ], + [ + "Gargling Water With Salt Will Eliminate Coronavirus", + "before it reaches the lungs it remains in the throat for four days and at this time the person begins to cough and have throat pains if he drinks water a lot and gargling with warm water and salt or vinegar eliminates the virus spread this information because you can save someone with this information", + "Facebook", + "FAKE", + 0.6, + 55 + ], + [ + "The novel coronavirus contains “pShuttle-SN” sequence, proving laboratory origin.", + "a gene sequence in the 2019ncov genome which he named ins1378 is similar to part of the sequence of the pshuttlesn expression vector pshuttlesn was created in a laboratory as part of an effort to produce a potential sars vaccine based on this observation he posited that 2019ncov was a manmade virus that arose from the sars vaccine experiments", + "Facebook", + "FAKE", + 0, + 59 + ], + [ + "The coronavirus is the common cold, folks", + "it looks like the coronavirus is being weaponized as yet another element to bring down donald trumpnow i want to tell you the truth about the coronavirus im dead right on this the coronavirus is the common cold folksthe driveby media hype up this thing as a pandemic limbaugh continued ninetyeight percent of people who get the coronavirus survive its a respiratory system virus", + "Facebook", + "FAKE", + -0.19396825396825398, + 64 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "cases of coronavirus in the United States linked to the rollout of 5G, the fifth-generation wireless technology", + "did some research today and made this map overlay showing the new 5g towers and coronavirus outbreaks weird that they center around eachother\nplz share dont fall for this bs", + "Facebook", + "FAKE", + -0.15454545454545454, + 30 + ], + [ + "Great prevention advice , please share with all your loved ones.", + "be understing a japanese doctor offers excellent advice on preventing covid19 new coronavirus may not show symptoms for several days 1427 days how can one know if a person is infected by the time he has a fever and or a cough and goes to the lung hospital the patient may have 50 fibrosisand then its too late taiwanese experts provide simple selfmonitoring that we can do every morning take a deep breath and hold your breath for more than 10 seconds if you can do this successfully without coughing and without difficulty without anxiety and chest tightnessit shows that you do not have fibrosis and generally indicate no infection check yourself every morning in a fresh air environment the japanese physician treating covid19 provides the best advice on preventing this everyone should make sure the mouth and throat are always moistdrink some water every 15 minutes why not even if the virus gets into your mouth drinking water or other fluids will help wash it down the esophagus into the stomach when the virus is in the stomach the hydrochloric acid in your stomach will kill the germs if you do not drink enough water regularly the virus can enter the airways and into your lungs which is very dangerous to get", + "Facebook", + "FAKE", + 0.14879040404040406, + 213 + ], + [ + null, + "the coronavirus will come and go but the government will never forget how easy it was to take control of your life to control every sporting event classroom restaurant table and church pew and even if you are allowed to leave your house ", + "Facebook", + "FAKE", + 0.43333333333333335, + 43 + ], + [ + "A Nobel Prize-winning immunologist said coronavirus is manmade", + "professor dr tasuku honjo caused a sensation today in the media by saying that the corona virus is not natural", + "Facebook", + "FAKE", + -0.05, + 20 + ], + [ + "Chinese ‘spies’ stole deadly coronavirus from Canada", + "wuhan coronavirus may have originated in canada possible link to ongoing rcmp investigation of a chinese scientist at winnipegs national microbiology lab who made several trips to china including one to train scientists and technicians at who certified level 4 lab in wuhan china ", + "Facebook", + "FAKE", + 0, + 44 + ], + [ + "Russian President Vladimir Putin has said that the United States created the coronavirus as a biological weapon to end China", + "the coronavirus was created as a biological weapon to destroy a country and now humanity is paying for trumps mistake", + "Facebook", + "FAKE", + -0.2, + 20 + ], + [ + null, + "coronavirus is the result of poisoning caused by 5g", + "Facebook", + "FAKE", + 0, + 9 + ], + [ + "Drinking cold water, hot drinks or alcohol protects against coronavirus", + "drinking lemon water could kill the virus due to the vitamin c found in lemon", + "Facebook", + "FAKE", + -0.125, + 15 + ], + [ + null, + "just in case you are wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gonna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 37 + ], + [ + "Coronavirus – 5G Prison For Children", + "coronavirus could be a 5g prison for children with global lockdowns being used by authorities as a ruse to install 5g infrastructure in schools", + "Facebook", + "FAKE", + 0, + 24 + ], + [ + "Worker Expose COV-19 Circuit Boards Being Installed in 5G Towers", + "must see worker exposes circuit boards being installed in 5g towers whats on them will surprise you ", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + "Italy decide not to treat its elderly population with coronavirus", + "italy has decided not to treat their elderly for this virus that my friends is socialized healthcare", + "Facebook", + "FAKE", + 0, + 17 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vax certificates did you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + null, + "the cdc recommends men shave their beards to protect against coronavirus", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + null, + "with this virus and any virus remember it hates the sun they die with heat hot showers baths sauna please hydrate increase c zinc vit d3 a selenium iodine gargle w warm salt water multiple times a day", + "Facebook", + "FAKE", + 0.2833333333333333, + 38 + ], + [ + "Supermarkets Are Recalling Coronavirus-Infected Toilet Paper", + "supermarkets are currently recalling toilet paper as the cardboard roll inserts are imported from china and there are strong fears the cardboard has been contaminated with the coronavirus the most recent purchases are deemed most likely to be contaminated if you have recently bought bulk supplies you are now at riskreturn that toilet paper and apply deep heat directly to your anus to kill any infection dont wait till its too late", + "Facebook", + "FAKE", + 0.09722222222222221, + 72 + ], + [ + "The coronavirus outbreak is not actually caused by a virus, but by 5G technology", + "the chinese were all given mandatory vaccines last fall the vaccine contained replicating digitized controllable rna which were activated by 60ghz mm 5g waves that were just turned on in wuhan as well as all other countries using 60ghz 5g with the smart dust that everyone on the globe has been inhaling through chemtrails thats why when they say someone is cured the virus can be digitally reactivated at any time and the person can literally drop dead the diamond prince cruise was specifically equiped with 60ghz 5g its basically remote assassination americans are currently breathing in this smart dust through chemtrails think of it like this add the combination of vaccines chemtrails smart dust and 5g and your body becomes internally digitized and can be remotely controlled a persons organ functions can be stopped remotely if one is deemed noncompliant wuhan was a test run for id2020 the elite call this 60ghz mm 5g wave the v wave virus to mock us trump has created a space force in part to combat this weaponized technology we need to vehemently reject the attempted mandatory vaccine issue because our lives depend on it", + "Facebook", + "FAKE", + 0.0013736263736263687, + 192 + ], + [ + "COVID-19 is an exosome, and the pandemic is related to 5G signals", + "covid19 is not a virus it is an exosome influenced by electromagnetic contamination", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + "Dr. Fauci sat on Microsoft’s board of directors.", + "i bet you didnt know dr fauci sat on microsofts board of directors and that bill gates was his boss", + "Facebook", + "FAKE", + 0, + 20 + ], + [ + "Pictures and reports of “empty hospitals” prove COVID-19 spread is “fake crisis for real government planned agendas.", + "nurses reporting hospitals are empty mostly fake crisis for real goverment sic planned agendas wait for them", + "Facebook", + "FAKE", + -0.13333333333333333, + 17 + ], + [ + " The Coronavirus Scare Start Immediately After Impeachment", + "has anyone else noticed the covid19 scare started immediately after impeachment failedits all planned", + "Facebook", + "FAKE", + 0, + 14 + ], + [ + null, + "why does coronavirus have a patent why does any virus have a patent why is there a vaccine already being developed us patent for coronavirus patent", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + "The flu vaccine can cause people to test positive for coronavirus", + "those who received the influenza vaccine are either more likely to test positive for the virus or to become sick with it children who received the trivalent threestrain flu vaccine that year had a higher incidence rate of coronavirus fyi if you got the flu shot you will likely test positive for corona remember they doubled the flu shot dose this year and even pushed it at the golden globes the post said the quadrivalent flu shot for the 20192020 season has a trivalent strain of coronavirus in itcoronavirus outbreaks in china and italy were due to increased vaccination vaccine derived virus interference was significantly associated with coronavirus the study states", + "Facebook", + "FAKE", + 0.10402597402597402, + 111 + ], + [ + "Freshly Boiled Garlic Water Is A Cure For Coronavirus", + "good news wuhans corona virus can cure itself by a bowl of freshly boiled garlic water the old chinese doctor proved its effectiveness many patients have also proven it to be effective recipe take eight 8 chopped garlic cloves add seven 7 cups of water and bring to a boil eat and drink the boiled water from the garlic improved and cured overnight please share with all your contacts can help save lives ", + "Facebook", + "FAKE", + 0.3666666666666667, + 73 + ], + [ + null, + "to all my wonderful people in liberia while you are under lockdown open your eyes please if you see anything like this being installed in your communities take a picture and post it online and engage the government this is how some of the 5g mastspolesatenaes look these things beam radiation that will make you sick and kill you in 3 to 6 months and the symptoms are just like the novel coronavirus but they do even more damage to the human body like respitory fatality heart deformed babes destruction of sperm teeth and much more the mainline media is heavily paid to disassociate 5g and coronavirus and many times shame anybody that does but it evil if our government put you indoors and letor telecom companies do things that bring harm religious leaders good politicians business people and the general public if you see these 5g masts you better get out of the house and talk and stop it there are other priorities that need attention not high technology that destroys", + "Facebook", + "FAKE", + 0.10191964285714285, + 172 + ], + [ + "Gargling With Salt Water & Vinegar Kill The Virus", + "gargling with warm water that contains salt or vinegar will eliminate the virus", + "Facebook", + "FAKE", + 0.6, + 13 + ], + [ + null, + "coronavirus hoax fake virus pandemic fabricated to coverup global outbreak of 5g syndrome", + "Facebook", + "FAKE", + -0.16666666666666666, + 13 + ], + [ + "A hospital says consuming alcohol kills the coronavirus", + "extensive research our findings show consuming alcoholic beverages may help to reduce the risk of infection by the novel coronavirus vodka for drinking cleaning and sanitizing alcohol can ward off the virus", + "Facebook", + "FAKE", + -0.125, + 32 + ], + [ + "Coronavirus patients are being “cremated alive” in China", + "wuhan woman says coronavirus patients cremated alive over 1000 hubei police infected with virus factories and businesses in china resume work some scenes of massive gatherings of chinese people are raising concerns of the outbreak situation worsening\ninside one prison in eastern china guards must sign forms promising not to spread socalled rumors about the situation inside the prison amid the coronavirus outbreakas the coronavirus continues to spread globally four countries in the middle east reported their first cases while italys increasing numbers of cases spread fear across europe", + "Facebook", + "FAKE", + 0.07857142857142858, + 89 + ], + [ + null, + "bill gates predicted that the coronavirus pandemic would kill 65 million people and created a vaccine to eradicate africans", + "Facebook", + "FAKE", + 0, + 19 + ], + [ + "Dallas student celebrating spring break at Louie's Backyard on South Padre island suddenly collapses.", + "cdc officials required the student to be quarantined after she was airlifted to a nearby hospital cdc officials say she exhibits every early sign of covid19", + "Facebook", + "FAKE", + 0.1, + 26 + ], + [ + null, + "take a deep breath and hold your breath for more than 10 seconds if you complete it successfully without coughing without discomfort stiffness or tightness etc it proves there is no covid19 caused fibrosis in the lungs basically indicates no infection", + "Facebook", + "FAKE", + 0.33, + 41 + ], + [ + "Chinese spy team sent pathogens to the Wuhan facility", + "a husband and wife chinese spy team were recently removed from a level 4 infectious disease facility in canada for sending pathogens to the wuhan facility the husband specialized in coronavirus research", + "Facebook", + "FAKE", + 0, + 32 + ], + [ + null, + "president trump just announced that the biological lab in wuhan where the covid19 virus was created was funded by president barak sp hussein obama in 2015 to the tune of 3800000 american dollars this fact directly links obama to all 150000 deaths around the world", + "Facebook", + "FAKE", + 0.05, + 45 + ], + [ + "Wild Edibles Missouri", + "cdc warns that morchella the true morel mushroom could increase your chances contracting coronavirus disease 2019 covid19 by 200 if you all a loved one finds these growing this spring please do not disturb them report all sightings to me and i will dispose of the properly ", + "Facebook", + "FAKE", + 0.3499999999999999, + 47 + ], + [ + null, + "can anyone explain to me why they made a coronavirus vaccine a year ago for k9s but are acting like this shit is a new virus that came from china just recently if they have a vaccine for dogs dont you think they would have one for humans too wtf is the government tring to pull on us really ", + "Facebook", + "FAKE", + -0.060606060606060615, + 59 + ], + [ + "A bovine vaccine can be used to inoculate people against coronavirus", + "just in case youre wondering how much the media controls people america has been vaccinating cattle for coronavirus for years yet the news tells you its new and gunna kill you all so go buy mask", + "Facebook", + "FAKE", + 0.16818181818181818, + 36 + ], + [ + null, + "a vaccine meant for cattle can be used to fight covid19", + "Facebook", + "FAKE", + 0, + 11 + ], + [ + null, + "gates wants us microchipped and fauci wants us to carry vaccination certificates\ndid you nazi that coming", + "Facebook", + "FAKE", + 0.2, + 17 + ], + [ + "All you need to cure the 2019 coronavirus is a little sunshine.", + "drinking hot water and sun exposure and stay away from ice cream and eating cold\n\ncorona virus when it falls on the fabric remains 9 hours so washing clothes or being exposed to the sun for two hours meets the purpose of killing it reads the handout in the photo", + "Facebook", + "FAKE", + -0.175, + 50 + ], + [ + "U.S. Election Is Canceled Due To Coronavirus", + "due to the corona virus the polls will remain closed and the election is cancelled trump will remain president for the next 4 yearswatch how quickly the epidemic is over", + "Facebook", + "FAKE", + 0.027083333333333327, + 30 + ], + [ + "helicopters being used to spray disinfectants into the air to eradicate the coronavirus", + "tonight from 1140 pm nobody should be on the street doors and windows should remain closed as 5 helicopters spray disinfectants into the air to eradicate the coranavirus please process this information to all of your contacts", + "Facebook", + "FAKE", + -0.1, + 37 + ], + [ + "Every election year has a disease; coronavirus has a contagion factor of 2 and a cure rate of 99.7% for those under 50 it infects", + "every election year has a disease coronavirus has a contagion factor of 2", + "Facebook", + "FAKE", + 0, + 13 + ], + [ + null, + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ], + [ + "COVID-19 is no worse than other outbreaks that have occurred in “every election year,” suggesting that the new coronavirus is being “hyped” to hurt President Donald Trump.", + "viral posts on social media claim covid19 is no worse than other outbreaks that have occurred in every election year suggesting that the new coronavirus is being hyped to hurt president donald trump", + "Facebook", + "FAKE", + 0.06117424242424242, + 33 + ], + [ + null, + "the elite are behind the corona virus and other manmade deadly viruses they will use those viruses to depopulate the world they want to depopulate the world because they will be controlling the world they already control america the world is nextwhen they control the world they will control all resources which includes the land you live on coal oil natural gas minerals fresh water and food to name a few the less people in the world the less people to control and use up those resourcesoverpopulation which is the same as depopulation is supported by bill gatesformer microsoft ceo bill gates is part of the elite bill gates supports and is an advocate of depopulation the bill and melinda gates foundation is instrumental in getting africans and third world countries to accept vaccination his foundation has sterilized thousands of women in africa without their knowledge via vaccinesbill gates is a perfect vessel of satan because he appears trustworthy bill gates is far from being trusted this devil conducted vaccination campaigns that crippled and killed countless people in third world countries helped fund the development of gmo mosquitoes that can carry deadly viruses had a polio vaccine program which caused thousands of deaths bill gates funded the pirbright institute which owns the patent on the coronavirus\nhe uses his foundation as a front to push vaccination convincing the masses to accept vaccination will fulfill the elites agenda of depopulating the world via biological weaponsin order to make ebola zika corona and other manmade viruses a global epidemic they must convince the masses to accept vaccination a few people infected with these viruses will not be enough to make it an epidemic therefore they have to use vaccination as the scapegoat to get millions of people to accept a vaccine that will contain the virusthe vaccine will have small amounts of the virus in it doctors describe it as tricking the body to fight the virus the same method is used with the flu shot the flu shot contains fluvirus particles in itthis deceptive method will allow these vessels of satan to vaccinate people with a vaccine that contains the virus this will allow the elite to hide their fingerprints on how so many people got infected sick and died from ebola zika corona and other manmade viruses this deceptive method is not new they used it before with syphilis and aids in africamost people will not believe that this is orchestrated and by design that unbelief will be the reason millions of people will get vaccinated and fall into their trap of vaccination its a catch22 if you dont get vaccinated you may get contaminated from someone who actually has the virus if you get vaccinated you may instantly become infected because the vaccine might contain the fullblown virusthe elite are the fake jews who control the usa whats sad is there is nothing you can do about this god will allow these fake jews to carry out their agenda upon america and the world in order to judge the world many will say this is a conspiracy theory because they reject what jesus said in rev 2939\ntrump is part of and a puppet of the elite he knows the coronavirus is part of the depopulation agenda after trumps removal from the oval office more chaos is planned by the elite read it here wakeupeepsatwebpagescomelitehtml with sabrina robinson", + "Facebook", + "FAKE", + -0.028698206555349413, + 569 + ], + [ + "Eating bananas is a preventative against the COVID-19 coronavirus disease", + "bananas are one of the most popular fruits worldwide such as vitamin c all of these support health people who follow a high fiber diet have a lower risk of cardiovascular disease bananas contain water and fiver both of which promote regularity and encourage digestive health research made by scientists and the university of queensland in australia have proven that bananas improve your immune system due to the super source of vitamins b6 and helps prevent coronavirus having a banana a day keeps the coronavirus away", + "Facebook", + "FAKE", + 0.2447222222222222, + 86 + ] + ], + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "source=%{customdata[2]}
text_len=%{customdata[5]}
title=%{customdata[0]}
text=%{customdata[1]}
label=%{customdata[3]}
polarity=%{customdata[4]}", + "legendgroup": "Facebook", + "marker": { + "color": "#EF553B" + }, + "name": "Facebook", + "offsetgroup": "Facebook", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 88, + 17, + 288, + 20, + 13, + 47, + 45, + 70, + 34, + 55, + 59, + 64, + 17, + 30, + 213, + 43, + 20, + 44, + 20, + 9, + 15, + 37, + 24, + 17, + 17, + 17, + 73, + 11, + 38, + 72, + 192, + 13, + 20, + 17, + 14, + 26, + 111, + 73, + 172, + 13, + 13, + 32, + 89, + 19, + 26, + 41, + 32, + 45, + 47, + 59, + 36, + 11, + 17, + 50, + 30, + 37, + 13, + 86, + 33, + 569, + 86 + ], + "y0": " ", + "yaxis": "y" + } + ], + "layout": { + "legend": { + "title": { + "text": "source" + }, + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "violinmode": "overlay", + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 1 + ] + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 1 + ], + "title": { + "text": "text_len" + } + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = px.violin(df_new, y='text_len', color='source',\n", + " violinmode='overlay', \n", + " hover_data=df_new.columns, template='plotly_white')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 58, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "TRUE", + "marker": { + "color": "rgb(0, 0, 100)" + }, + "name": "TRUE", + "opacity": 0.7, + "type": "histogram", + "x": [ + 0.04899515993265993, + -0.05, + 0.1396031746031746, + -0.3, + 0.01372474747474745, + 0.23888888888888885, + 0.09870394593416179, + 0.1301851851851852, + -0.11458333333333333, + 0.12284090909090907, + 0.08952516594516598, + -0.0011904761904761862, + 0.10047225501770955, + 0.19999999999999998, + 0.08977272727272727, + -0.03371782610154703, + 0.24090909090909093, + 0.06298779722692767, + 0.06712962962962962, + 0.0536096256684492, + 0.10512613822958654, + 0.08066239316239317, + 0.16583333333333333, + 0.12272727272727273, + 0.13055555555555556, + -0.010416666666666661, + 0.007142857142857145, + -0.07499999999999998, + 0.16100844644077736, + 0.04848484848484847, + 0.03798400673400674, + 0.1, + 0.22727272727272724, + 0.12637405471430369, + 0.07107843137254902, + 0.11281249999999995, + 0.014357142857142855, + 0.10633625410733845, + 0.15909090909090906, + 0.09138367805034472, + 0.009727082631274246, + 0.08232380672940122, + 0.11831460206460206, + 0.14114420062695923, + 0.0967444284110951, + 0.10259105628670848, + 0.07032081686429513, + 0.018213649096002035, + 0.10485355485355483, + 0.08330864980024645, + 0.085, + 0.16436507936507938, + 0, + 0.09722222222222222, + 0.26666666666666666, + 0.15454545454545454, + 0.04545454545454545, + 0.10676748176748178, + 0.04888888888888888, + -0.041666666666666664, + 0.1875172532781229, + 0.19523858717040535, + 0.07178631553631552, + -0.075, + 0.22787878787878793, + 0.03731294710018114, + 0.025708616780045344, + 0.059555555555555556, + 0.011833333333333335, + 0.1036730945821855, + 0.035897435897435895, + 0.08785921325051763, + -0.6, + 0.0205011655011655, + -0.024001924001924, + 0.07928841991341992, + 0.5, + 0.03, + 0.10641878954378953, + 0.07530078563411897, + 0.057368441251419995, + 0.15119047619047618, + 0.13522830344258918, + 0.07814715942493718, + 0.08370845986517628, + 0.11388888888888889, + 0.17954545454545456, + 0.0217389845296822, + 0.18863636363636363, + 0.041797637390857734, + 0.05494181143531794, + 0.1124557143374348, + 0.10676748176748178, + 0.13055555555555556, + 0.01325757575757576, + 0.010291005291005293, + 0.25, + 0.07013539651837523, + 0.15400724275724278, + 0.1645021645021645, + 0.12273232323232328, + 0.25, + 0.09391304347826088, + 0.125, + 0.09905753968253968, + 0.13189484126984122, + 0.025595238095238088, + 0.07115458381281166, + 0.08208333333333331, + 0.0376082251082251, + 0.14760251653108794, + 0.05000000000000001, + 0.45555555555555555, + 0.15277777777777776, + -0.2, + 0.007024793388429759, + -0.00019240019240018835, + -0.12993197278911564, + 0.008436639118457299, + -0.012878787878787873, + 0.12956709956709958, + 0.23958333333333331, + 0.09963698675062314, + 0.0031250000000000097, + 0.1374362087776722, + 0.21212121212121213, + -0.08357082732082731, + -0.125, + 0.17798996458087368, + 0.023068735242030694, + 0.05904128787878791, + 0.05672908741090559, + 0.1053469387755102, + 0.07142857142857142, + 0.1388888888888889, + 0.11527890783914883, + 0.12090067340067338, + 0.04256012506012507, + 0.0571650951787938, + 0.4035714285714285, + 0.13643939393939392, + 0.16654135338345863, + -0.010121951219512199, + 0.22787878787878793, + 0.0009618506493506484, + 0.15535714285714283, + 0.1977961432506887, + 0.06587301587301587, + 0.10833333333333334, + -0.05205441189047746, + 0.10818181818181818, + -0.19088203463203463, + 0.04991718991718992, + 0.10835497835497836, + 0.05303030303030303, + 0.1476190476190476, + 0.05851851851851851, + -0.3, + 0.21212121212121213, + 0.16074016563147, + 0.11770833333333333, + 0.07391774891774892, + 0.24625850340136052, + 0, + 0.07943722943722943, + 0.04261382623224729, + 0.32500000000000007, + 0.06245967741935485, + 0.005204942736588304, + 0.10583333333333333, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.15795088920088918, + 0.06957070707070707, + 0.04189655172413794, + 0.022199921290830385, + 0.04081632653061224, + 0.08660468319559228, + -0.3, + 0.019269896769896766, + 0.2, + 0.05078124999999999, + 0.13025210084033612, + 0.06875, + 0.12619047619047616, + 0.07897435897435898, + 0.09139438603724317, + -0.00881032547699215, + 0.17841478696741853, + 0.0872885222885223, + 0.25999999999999995, + 0.09969209469209472, + 0.1502754820936639, + 0.08105423987776927, + 0.09083177911241154, + 0.11431373157807583, + 0.07291666666666669, + 0.05238095238095238, + 0.06633544749823819, + -0.12071428571428573, + -0.007384772090654448, + -0.1, + 0.005333333333333328, + 0.06781849103277673, + 0.12760416666666669, + 0.13327552420145022, + 0.3477272727272727, + 0.07173184024423694, + 0.15288461538461537, + 0.06564818300325546, + -0.13095238095238096, + 0.005397727272727264, + 0.09287546561965167, + 0.16402597402597402, + 0.09697014790764792, + 0.041373706004140795, + 0.015367965367965364, + 0.049743431855500814, + 0.10640462374504926, + -0.006481481481481484, + -0.15999999999999998, + 0.11864058258126063, + 0.08737845418470418, + 0.19318181818181818, + 0.22198773448773448, + 0.20714285714285713, + 0.2625, + 0.1502754820936639, + 0.03970418470418469, + 0.22252121212121218, + 0.04047619047619048, + 0.08130335415846777, + 0.008888888888888892, + 0.1241732804232804, + 0.05178236446093589, + 0.1717532467532468, + 0.1902058421376603, + 0.04448907335505272, + 0.027304217521608828, + 0.054166666666666675, + 0.3277777777777778, + 0.018499478916145576, + 0.011833333333333335, + 0.0649891774891775, + 0.031250000000000014, + -0.075, + 0.14241478011969813, + 0.08639447267708139, + 0.14666666666666667, + 0.07054347826086955, + 0.028433892496392485, + 0.08443276752487282, + 0.31375000000000003, + 0.11499999999999999, + 0.225, + 0.06670983778126635, + 0.028571428571428564, + 0.04052553229083844, + 0.06501541387905022, + 0.12851027940313658, + 0.06195628646715604, + 0.04635416666666666, + 0.07488026410723778, + 0.09333333333333332, + 0.04622727272727273, + 0.03333333333333333, + 0.22348484848484845, + 0.22727272727272724, + 0.34444444444444444, + 0.12037037037037036, + 0.15093178327049298, + 0.17229437229437225, + 0.08977272727272727, + 0.103494623655914, + 0.03648730411888306, + -0.11666293476638308, + 0.21114718614718614, + 0.12887595163457227, + 0.03928571428571428, + 0.07924071542492594, + 0.1886977886977887, + 0.05548951048951049, + 0.20833333333333331, + 0.0910017953622605, + 0.06818181818181818, + -0.01602564102564102, + -0.018518518518518517, + -0.06622435535479013, + 0.084258196583778, + 0.04145502645502646, + -0.014285714285714282, + -0.08147727272727272, + 0.07832405689548547, + 0.02853174603174602, + 0.028571428571428557, + 0.15239393939393941, + 0.3052631578947368, + 0.027970521541950115, + 0.06078431372549019, + 0.14727272727272728, + 0.03098484848484847, + -0.0936210847975554, + 0.05818104188357353, + 0.011833333333333335, + 0.06074591149591147, + 0.036363636363636355, + 0.07637310606060606, + 0.12294372294372295, + 0.10574216871091872, + -0.007363459391761272, + 0.13636363636363635, + 0.04545454545454545, + 0.0333068783068783, + 0.02621212121212122, + 0.08219148001756696, + 0.18353174603174602, + 0.0864903389293633, + 0.12857142857142853, + 0.22980952380952382, + 0.1018547544409614, + 0.13999999999999999, + 0.10356134324612586, + 0.1898989898989899, + -0.01742424242424243, + 0.04545454545454545, + -0.01749639249639251, + -0.11249999999999999, + -0.00019240019240018835, + 0.0963110269360269, + 0.05281385281385282, + 0.23888888888888885, + -0.11306926406926408, + 0.06459740259740258, + 0.04622727272727273, + 0.10598006644518274, + 0.02072189284145806, + 0.29125874125874124, + 0.31875000000000003, + 0.08660468319559228, + -0.05277777777777778, + 0.21250000000000002, + 0.10861865407319954, + 0.13055555555555556, + 0.003539944903581255, + 0.13055555555555556, + 0.07756410256410257, + 0.1077777777777778, + 0.14727272727272728, + 0.08711038961038962, + 0.09782608695652174, + 0.049926536212663374, + 0.07497594997594996, + 0.10666666666666666, + 0.08397435897435898, + -0.25, + 0.020448179271708684, + 0.20714285714285713, + 0.10096379997954803, + 0.15870129870129868, + -0.03272727272727273, + 0.1451683064410337, + 0.08333333333333334, + 0.08340651412079986, + 0.07484408247120114, + 0.0818858225108225, + 0.18642424242424244, + 0.028703703703703703, + -0.008633761502613963, + 0.21471861471861473, + 0.04635416666666666, + 0.08993335096276277, + -0.2, + 0.031955922865013774, + 0.20952380952380953, + 0.035897435897435895, + 0.0366505968778696, + 0.11136363636363637, + 0.038279736136878996, + 0.07013888888888889, + 0.1712576503955815, + 0.14329545454545456, + 0.06254095004095003, + 0.17307692307692307, + 0.09233511586452763, + 0.11744791666666667, + 0.1020671098448876, + 0.06686147186147187, + 0.31875000000000003, + 0.1784749670619236, + -0.029918981481481494, + 0.06189674523007856, + 0.15037337662337663, + -0.06607142857142857, + 0.13007866117622213, + 0.07781385281385282, + 0.012301587301587306, + 0.17264957264957262, + 0.11991883116883115, + -0.037542306178669806, + 0.17064306661080852, + 0.08726422740121369, + 0.10150613275613275, + -0.075, + 0.047619541277436006, + 0.34444444444444444, + 0.2785714285714286, + 0.08976666666666666, + 0.08754741290455577, + -0.009383753501400572, + 0.05443264947612773, + 0.06853273518596098, + 0.18095238095238095, + 0.18416305916305917, + 0.024285714285714282, + 0.1962962962962963, + 0.03618793161203875, + 0.05832848484848486, + 0.2844666666666667, + -0.14772727272727273, + -0.06000000000000001, + 0.17169913419913424, + -0.02100033952975128, + 0.20113636363636364, + 0.07899292065958735, + 0.16526747062461347, + 0.17916666666666667, + 0.10753289614675753, + -0.02745825602968461, + 0.12027103331451158, + 0.55, + -0.05277777777777778, + 0.07404994062290714, + 0.05270634920634922, + 0.052146464646464656, + 0.07804199858994376, + -0.026470588235294107, + 0.0410693291226078, + 0.08858668733668736, + 0.09267161410018554, + 0.21666666666666667, + 0.08153846153846155, + 0.13008563074352547, + -0.06632996632996632, + 0.09215976731601733, + 0.02834982477839621, + 0.028434704184704195, + 0.29103641456582635, + 0.015384615384615385, + 0.07563778409090904, + 0.05595238095238094, + 0.16436507936507938, + 0.07857142857142858, + -0.003976697061803446, + 0.18798791486291486, + 0.21875, + 0.18095238095238095, + 0.16013622974963176, + 0.07103379123064166, + 0.240625, + 0.0910748106060606, + -0.10952380952380951, + 0.09011742424242426, + 0.014434523809523814, + -0.0875, + 0.2727272727272727, + 0.11167328042328044, + -0.06038961038961039, + 0.09142857142857143, + 0.03571428571428571, + 0.0438690476190476, + 0.05877461248428989, + 0.1476190476190476, + -0.075, + 0.23805114638447972, + 0.07222222222222223, + -0.23333333333333328, + -0.0432983193277311, + 0.07207792207792209, + 0.25, + 0.066998258857763, + 0.03460638127304793, + 0.14357142857142857, + 0.05333333333333333, + 0.13075396825396823, + 0.1028210678210678, + -0.011946166207529847, + 0.11215365765670643, + 0.14518003697691204, + 0.15757575757575756, + 0.16805555555555554, + 0.09931372549019607, + -0.05539867109634551, + 0.039719714567275535, + 0.1258793428793429, + 0.07159373586612393, + 0.07630758130758131, + 0.10351769245247504, + 0.11019988242210464, + 0.3277777777777778, + 0.09209436396936398, + 0.0887897967011891, + 0.06333333333333332, + -0.005795870795870796, + 0.1106060606060606, + 0.08009959579561853, + 0.20714285714285713, + 0.05496031746031745, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + 0.3277777777777778, + 0.16402278599953019, + 0.10677747329123474, + -0.007499999999999974, + 0.012301587301587306, + -0.058333333333333334, + -0.14166666666666666, + 0.0640873015873016, + 0.046916666666666676, + -0.11458333333333333, + 0.29166666666666663, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + -0.042350596557913636, + 0.09335730724971227, + 0.10979997014479773, + 0.06592764378478663, + -0.0947089947089947, + -0.041666666666666664, + 0.08333333333333331, + 0.018046536796536804, + 0.005397727272727264, + 0.07464321392892824, + 0.027407647907647905, + 0.04264696656001003, + -0.15870490620490624, + 0.0991494334445154, + 0.04460784313725491, + 0.14753659039373326, + 0.14583333333333334, + 0.12172689461459513, + 0.09780474155474154, + 0.2772847522847523, + 0.05710784313725491, + -0.04444444444444443, + 0.022668141037706247, + 0.2567254174397031, + 0.09568043068043068, + 0.11657249838284317, + 0.009313725490196077, + 0.12234657602376045, + 0.13158899923605805, + 0.08716645021645018, + 0.25, + 0.03612231739891315, + 0.10555833055833053, + -0.25, + 0.12284090909090907, + 0.3666666666666667, + 0.10844444444444444, + 0.07357282502443796, + 0.16204545454545455, + 0.12380952380952381, + 0.275, + 0.18958333333333333, + 0.09440277777777778, + -0.040142857142857126, + 0.07888337153043035, + 0.09559523809523808, + 0.12500676406926406, + 0.04736842105263159, + -0.010806277056277059, + 0.10377056277056276, + 0.0675736961451247, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635, + 0.17272727272727273, + 0.021666666666666657, + -0.018124999999999995, + 0.10238095238095239, + 0.0690873015873016, + 0.08450937950937948 + ], + "xaxis": "x", + "xbins": { + "end": 0.55, + "size": 1, + "start": -0.6 + }, + "yaxis": "y" + }, + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "FAKE", + "marker": { + "color": "rgb(0, 200, 200)" + }, + "name": "FAKE", + "opacity": 0.7, + "type": "histogram", + "x": [ + 0.15550364269876468, + 0.12175403384494296, + 0.10549628942486089, + -0.051219557086904045, + 0.03872164017122002, + 0.05076923076923076, + 0.08547815820543092, + 0.19795918367346937, + 0, + 0.12757892513990077, + 0.02243867243867244, + -0.15, + 0.06166666666666668, + 0.25, + 0.16547619047619047, + 0.09166666666666667, + 0.08333333333333333, + 0, + 0, + -0.02033730158730164, + 0.1285714285714286, + 0.4, + 0.25284090909090906, + 0.05568181818181818, + 0.06101174560733384, + 0.14114583333333333, + 0.033415584415584426, + 0.07520870795870796, + 0.036286395703062364, + 0.04375, + 0.17387755102040817, + -0.05500000000000001, + 0.04732995718050066, + 0.2447222222222222, + 0.22782446311858073, + 0.18454545454545454, + 0.06214985994397759, + 0.09587831733483905, + 0.13333333333333333, + 0.07638054568382437, + 0.07736415882967608, + 0.10405032467532464, + 0.08750000000000001, + 0.16, + 0.003053410553410541, + 0, + 0.15, + 0, + 0.05401550490326001, + 0.03333333333333333, + 0.10135918003565066, + 0.205, + 0.20909090909090908, + 0.06153982317117913, + 0.16, + 0.26666666666666666, + 0.04916185666185665, + 0.06105471795126968, + 0.055528198653198656, + -0.1642857142857143, + 0.06511985746679624, + 0, + 0.04255686610759073, + -0.031221303948576674, + 0.11016483516483515, + 0.038975869809203145, + 0, + 0.09365390382365692, + 0.03153001534330649, + 0.11390485652780734, + 0.275, + -0.005050505050505053, + 0.6, + -0.05, + 0.06294765840220384, + 0.06481191222570534, + 0.12990219656886326, + 0.08274306475837086, + 0.10619834710743802, + 0.06342150450229053, + 0.08910694959802103, + -0.003333333333333326, + -0.30340909090909096, + 0.1585763888888889, + 0.01363636363636364, + 0.13181818181818183, + 0.005116789685135007, + -0.2, + 0.4, + -0.3, + 0.10108784893267651, + 0.03383291545056253, + 0.1549175824175824, + 0.061373900824450295, + 0.26776094276094276, + 0.11085858585858586, + 0.14067307692307693, + 0.00381821461366916, + 0.11144234553325463, + 0.11016483516483515, + 0.06439393939393939, + 0.09166666666666667, + 0.03880022144173086, + -0.0011246636246636304, + -0.05, + 0.058333333333333334, + 0.6, + 0.11041666666666668, + 0, + 0.04999999999999999, + -0.19396825396825398, + 0.036031100330711226, + 0, + 0.12223707664884136, + 0.09437240936147184, + -0.21600000000000003, + 0.11390485652780734, + 0.011515827922077919, + 0.15181824924815582, + 0.172, + -0.1, + 0.2, + 0.125, + -0.02051282051282051, + 0.15739204410846205, + 0.03921911421911422, + 0.15353171466214946, + 0.13460412953060014, + 0.03586192613970391, + 0.08714285714285715, + 0.08780414987311538, + 0.05172573189522343, + 0.03432958410636981, + 0.0342784992784993, + 0.03199855699855699, + 0.023232323232323233, + 0.04947858107956631, + 0.10067567567567567, + -0.03333333333333333, + 0.2, + 0.05925925925925926, + 0.14862391774891778, + 0.019047619047619053, + 0, + 0.06980027548209365, + -0.15454545454545454, + 0.14879040404040406, + 0.06041666666666667, + 0.058711080586080586, + 0.16999999999999998, + 0, + 0.020343137254901965, + 0.15029761904761904, + 0.20909090909090908, + 0.015731430962200185, + 0.15297093382807667, + 0.08720582447855173, + 0.03355593752652577, + -0.012582345191040843, + 0.43333333333333335, + 0.08478617342253707, + -0.08833333333333335, + 0.014306239737274216, + -0.05, + 0.05644103371376098, + 0.128125, + 0.05975379585999057, + 0.022969209469209464, + 0.16969696969696968, + 0.05718822423367879, + 0.0740967365967366, + 0.18447023809523808, + 0.13333333333333333, + 0, + 0.18260752164502164, + -0.6, + 0.16451149425287356, + 0.07985466914038343, + -0.2, + 0.19999999999999998, + 0.0892360062418202, + 0.058333333333333334, + 0, + -0.125, + 0.13516808712121214, + 0.19999999999999998, + 0.25, + 0.06702557858807862, + 0.058711080586080586, + 0.16818181818181818, + 0.045085520540066024, + 0.13382594417077176, + 0.01115801758747303, + 0.026164596273291933, + 0.1886904761904762, + 0.12287272727272724, + 0.039315388912163116, + 0.12349468713105076, + 0.030865581278624765, + 0.08383116883116883, + 0, + 0.013825757575757571, + 0, + 0.0031301406926407017, + 0.125, + 0.07601711979327043, + 0.11510645475923251, + 0.13433303624480095, + 0.08854166666666666, + 0.07333333333333333, + 0.5, + 0.25, + 0.07337475077933091, + 0.06358907731567831, + -0.11000000000000001, + 0, + 0.08200528007346189, + 0.07181868519077819, + 0.09333333333333334, + -0.2, + 0.02030973721114566, + 0.0031243596953566747, + -0.02187499999999999, + 0.08117424242424243, + 0.13681818181818184, + 0.1285374149659864, + 0.0017189586114819736, + 0.2, + 0.096086860670194, + 0.02535866910866911, + 0, + 0.1266233766233766, + 0.030289502164502165, + 0.02175925925925925, + 0.16, + 0.13712121212121212, + 0.0578336940836941, + 0.11654761904761907, + 0.07067497403946, + -0.05, + 0.09464371572871574, + 0.13148148148148148, + 0.05724227100333295, + 0.09606481481481483, + 0.3666666666666667, + 0, + 0.05917504605544954, + 0.13596666666666668, + 0.04515941265941269, + 0.06330749354005168, + 0.11224927849927852, + 0.06091580254370953, + 0.08664111498257838, + 0, + 0.2833333333333333, + -0.02532184591008121, + 0.10152538572538573, + -0.14, + 0.11236772486772487, + 0.14125000000000001, + 0.06999999999999999, + -0.10119047619047619, + 0, + 0.03522046681840496, + 0.09809059987631415, + 0.0330726572925821, + 0.09722222222222221, + 0.11941334527541424, + 0.075, + 0.05644103371376098, + -0.15, + 0.054403778040141695, + 0, + -0.012582345191040843, + 0, + 0.21666666666666665, + 0.06619923098581638, + -0.125, + 0.04333133672756314, + 0.10609696969696969, + -0.005891555701682287, + 0.2, + 0.09393939393939393, + 0.17203849807887076, + 0.15297093382807667, + 0.21428571428571427, + 0.03399852180339985, + 0.024621212121212117, + -0.03440491588357442, + 0.048507647907647916, + 0.05662029125844915, + 0.13705510992275702, + 0.0046666666666666705, + 0.0013736263736263687, + 0, + 0, + 0.09555194805194804, + 0.07500000000000001, + 0, + 0.09355838605838604, + 0.08784786641929498, + 0.026760714918609648, + -0.15972222222222224, + 0.06080722187865045, + -0.07261904761904761, + 0.041118540850683706, + 0.09313429324298891, + 0.07503915461232535, + 0.1285714285714286, + -0.13333333333333333, + 0.029178503787878785, + 0.21815398886827456, + 0.07247402597402594, + 0.014680407975862522, + -0.03207780379911525, + 0.06888542121100262, + 0.09279191790352505, + 0.014918630751964083, + 0.04117378605330413, + 0, + 0.07208118600975744, + 0.039151903185516625, + 0.1, + 0.08888180749291859, + 0.06677764659582841, + 0.10402597402597402, + -0.0625, + 0.05583333333333333, + 0.040833333333333346, + 0.05567567567567566, + 0.048088561521397344, + 0.09923160173160171, + 0.015404040404040411, + 0, + 0.04572285353535354, + 0.125323762697935, + 0.04583333333333334, + 0.08319701132201131, + 0.005010521885521885, + 0.028888888888888898, + 0.09659090909090909, + 0.3666666666666667, + -0.13333333333333333, + 0.12468412942989214, + 0.6, + 0.03703703703703703, + 0.10384615384615385, + 0.11313035066199618, + 0.10711364740701475, + 0.002996710221480863, + 0.16399055489964584, + 0.10191964285714285, + -0.3, + 0.07989799472558094, + 0.08166234277936399, + 0.22255892255892254, + 0.10527985482530941, + 0.08332437275985663, + 0.1361548174048174, + 0.01666666666666668, + 0.006249999999999996, + 0.050451207391041426, + 0.08996003996003994, + 0.09771533881382363, + 0.15416666666666665, + 0.13433303624480095, + -0.03018207282913165, + 0.01762876719883091, + 0.02386177041349455, + 0, + 0.015824915824915825, + 0.15165289256198347, + 0.6, + -0.16666666666666666, + 0.014680407975862522, + 0, + 0.09518939393939392, + 0.026412579957356082, + -0.146875, + 0.11016483516483515, + 0.1663328598484848, + 0.05500000000000001, + 0.08105579605579605, + 0.026161616161616153, + 0.15995370370370368, + 0.35, + 0.1961038961038961, + 0.06004117208955919, + 0.001190476190476189, + 0.05967384887839434, + 0.06905766526019691, + 0.019427768248522964, + -0.05714285714285715, + 0.025, + 0.11352080620373302, + 0.12468412942989214, + -0.125, + 0.024218750000000015, + 0.10693995274877625, + 0.01211490204710543, + 0.07857142857142858, + 0.058711080586080586, + 0.05476317799847212, + 0.12647876945749284, + 0.09545329670329673, + 0.11658200861069715, + 0.014600766797736496, + -0.07999999999999999, + -0.06420454545454544, + 0.10334896584896587, + 0.03515757724520612, + 0.04202178030303029, + 0.058711080586080586, + 0.06050012862335138, + -0.010020941118502097, + 0.06641873278236914, + -0.125, + 0.07845255342267296, + -0.2833333333333333, + 0.0583912037037037, + -0.028619528619528625, + 0.002083333333333333, + 0, + 0.1392857142857143, + 0.13637057005176276, + 0.0117283950617284, + 0.041219336219336225, + -0.13999999999999999, + 0.050432900432900434, + 0.1, + -0.019999999999999997, + 0.04386297229580813, + 0.05056236791530912, + 0.04987236355194104, + 0, + 0.02535866910866911, + 0.09375, + 0.15550364269876468, + 0.07681523022432114, + 0, + 0.08332437275985663, + 0.02716269841269842, + 0.55, + -0.031221303948576674, + 0.33, + 0.16666666666666669, + 0.030289502164502165, + 0.06355661881977673, + 0.25, + 0.26012987012987016, + 0.03329696179011247, + 0.03367765894236483, + 0.1672317156527683, + 0.13791043631623343, + 0.08664111498257838, + 0.09999999999999999, + 0.28271604938271605, + 0.058711080586080586, + 0.12337588126159557, + 0.0575995461865027, + 0.06825087610801896, + 0.6000000000000001, + 0.1642857142857143, + 0.019999999999999997, + 0.0892338669082855, + 0.12257921476671481, + 0, + 0, + -0.017020202020202026, + -0.009104278074866315, + 0.038933566433566436, + 0.05815685876623378, + 0.09429824561403508, + 0.12444939081537022, + 0.05, + 0.06275641025641025, + 0.6, + 0.1243071236412945, + 0.11016483516483515, + 0.03023729357062691, + 0.04434624017957352, + 0.1475283446712018, + 0.10224955179500639, + 0.0793831168831169, + 0.05644103371376098, + 0.5, + -0.04833333333333333, + 0.1103896103896104, + 0.03267156862745097, + 0.09198165206886136, + 0.24330143540669857, + 0.0496414617876882, + 0.06666666666666667, + 0.03333333333333333, + 0.058711080586080586, + 0.09659090909090909, + 0.13433303624480095, + 0.3499999999999999, + 0.11666666666666665, + 0.05219036722085503, + 0.15142857142857144, + 0.171875, + 0.0026943498788158894, + 0.171875, + 0.15416666666666667, + 0.08332437275985663, + 0.16116038201564525, + -0.060606060606060615, + 0.08, + 0.031517556517556514, + 0.16818181818181818, + 0, + -0.030046296296296304, + 0.035752171466457185, + 0.2, + -0.05000000000000001, + 0.09464285714285715, + -0.175, + 0.09281305114638445, + 0.027083333333333327, + 0.1877181337181337, + 0.07342891797616208, + -0.0625, + -0.1, + 0.05265002581516343, + 0.12619047619047621, + 0.07526054523988408, + 0, + 0.08321104632329118, + 0.08727272727272728, + 0.05046034322820036, + 0.07896614739680433, + 0.08420443650309418, + 0.013734862293474733, + 0.011111111111111112, + 0.2447222222222222, + 0.08332437275985663, + 0.04577922077922078, + 0.07034090909090909, + -0.005487391193036351, + -0.006815708101422388, + -0.03433583959899749, + 0.20260942760942757, + 0.13163809523809522, + 0.07787707390648568, + 0.12647876945749284, + 0.7, + 0.06117424242424242, + 0.09125000000000001, + 0.04559228650137742, + 0.04481046992839448, + 0.17760496671786996, + 0.05058941432259817, + 0.205, + 0.028952991452991447, + 0.002465367965367964, + 0.1608180506362325, + 0.0363234703440889, + -0.02187499999999999, + 0.03880022144173086, + 0.06355661881977673, + 0.16547619047619047, + 0.12004310661090324, + 0.08930373944928742, + -0.028698206555349413, + 0.10244898922469015, + -0.025, + 0.08784786641929498, + 0.07202797202797204, + 0.029382650395581435, + 0.058333333333333334, + 0.047222222222222214, + 0.16666666666666666, + -0.007575757575757576, + 0.2447222222222222, + 0.09401098901098903, + 0.26, + 0.06701038159371493 + ], + "xaxis": "x", + "xbins": { + "end": 0.7, + "size": 1, + "start": -0.6 + }, + "yaxis": "y" + }, + { + "legendgroup": "TRUE", + "marker": { + "color": "rgb(0, 0, 100)" + }, + "mode": "lines", + "name": "TRUE", + "showlegend": false, + "type": "scatter", + "x": [ + -0.6, + -0.5977, + -0.5953999999999999, + -0.5931, + -0.5908, + -0.5885, + -0.5861999999999999, + -0.5839, + -0.5816, + -0.5792999999999999, + -0.577, + -0.5747, + -0.5724, + -0.5700999999999999, + -0.5678, + -0.5655, + -0.5631999999999999, + -0.5609, + -0.5586, + -0.5563, + -0.5539999999999999, + -0.5517, + -0.5494, + -0.5471, + -0.5448, + -0.5425, + -0.5402, + -0.5378999999999999, + -0.5356, + -0.5333, + -0.5309999999999999, + -0.5287, + -0.5264, + -0.5241, + -0.5218, + -0.5195, + -0.5172, + -0.5149, + -0.5126, + -0.5103, + -0.508, + -0.5057, + -0.5034, + -0.5011, + -0.4988, + -0.4965, + -0.4942, + -0.4919, + -0.4896, + -0.48729999999999996, + -0.485, + -0.48269999999999996, + -0.4804, + -0.47809999999999997, + -0.4758, + -0.47350000000000003, + -0.4712, + -0.4689, + -0.4666, + -0.4643, + -0.46199999999999997, + -0.4597, + -0.4574, + -0.4551, + -0.4528, + -0.4505, + -0.4482, + -0.44589999999999996, + -0.4436, + -0.4413, + -0.43899999999999995, + -0.4367, + -0.4344, + -0.43210000000000004, + -0.42979999999999996, + -0.4275, + -0.4252, + -0.42289999999999994, + -0.4206, + -0.4183, + -0.416, + -0.41369999999999996, + -0.4114, + -0.4091, + -0.4068, + -0.40449999999999997, + -0.4022, + -0.3999, + -0.3976, + -0.3953, + -0.393, + -0.3907, + -0.38839999999999997, + -0.3861, + -0.38380000000000003, + -0.3815, + -0.3792, + -0.3769, + -0.3746, + -0.37229999999999996, + -0.37, + -0.3677, + -0.36539999999999995, + -0.3631, + -0.3608, + -0.35850000000000004, + -0.35619999999999996, + -0.3539, + -0.3516, + -0.3493, + -0.34700000000000003, + -0.3447, + -0.34240000000000004, + -0.3401, + -0.3378, + -0.33549999999999996, + -0.3332, + -0.3309, + -0.3286, + -0.3263, + -0.32399999999999995, + -0.32170000000000004, + -0.3194, + -0.3171, + -0.31479999999999997, + -0.3125, + -0.31020000000000003, + -0.3079, + -0.3056, + -0.3033, + -0.301, + -0.2987, + -0.2964, + -0.29410000000000003, + -0.2918, + -0.2895, + -0.2872, + -0.2849, + -0.2826, + -0.2803, + -0.27799999999999997, + -0.2757, + -0.27340000000000003, + -0.2711, + -0.2688, + -0.26649999999999996, + -0.26420000000000005, + -0.2619, + -0.2596, + -0.2573, + -0.255, + -0.25270000000000004, + -0.2504, + -0.2481, + -0.24579999999999996, + -0.2435, + -0.24120000000000003, + -0.2389, + -0.23659999999999998, + -0.2343, + -0.23199999999999998, + -0.22970000000000002, + -0.2274, + -0.22510000000000002, + -0.2228, + -0.22050000000000003, + -0.2182, + -0.21590000000000004, + -0.2136, + -0.2113, + -0.20900000000000002, + -0.20670000000000005, + -0.20440000000000003, + -0.2021, + -0.19979999999999998, + -0.1975, + -0.19520000000000004, + -0.19290000000000002, + -0.1906, + -0.18829999999999997, + -0.18600000000000005, + -0.18370000000000003, + -0.1814, + -0.17909999999999998, + -0.1768, + -0.17450000000000004, + -0.17220000000000002, + -0.1699, + -0.16760000000000003, + -0.1653, + -0.16300000000000003, + -0.1607, + -0.15839999999999999, + -0.15610000000000002, + -0.1538, + -0.15150000000000002, + -0.1492, + -0.14690000000000003, + -0.1446, + -0.14229999999999998, + -0.14, + -0.13770000000000004, + -0.13540000000000002, + -0.1331, + -0.13079999999999997, + -0.12850000000000006, + -0.12620000000000003, + -0.12390000000000001, + -0.12159999999999999, + -0.11929999999999996, + -0.11700000000000005, + -0.11470000000000002, + -0.1124, + -0.11009999999999998, + -0.1078, + -0.10550000000000004, + -0.10320000000000001, + -0.10089999999999999, + -0.09860000000000002, + -0.09629999999999994, + -0.09400000000000008, + -0.0917, + -0.08940000000000003, + -0.08709999999999996, + -0.0848000000000001, + -0.08250000000000002, + -0.08020000000000005, + -0.07790000000000008, + -0.0756, + -0.07330000000000003, + -0.07099999999999995, + -0.06869999999999998, + -0.06640000000000001, + -0.06410000000000005, + -0.06180000000000008, + -0.0595, + -0.05720000000000003, + -0.05490000000000006, + -0.05259999999999998, + -0.05030000000000001, + -0.04799999999999993, + -0.045700000000000074, + -0.043400000000000105, + -0.041100000000000025, + -0.03880000000000006, + -0.03649999999999998, + -0.03420000000000001, + -0.03190000000000004, + -0.02959999999999996, + -0.02729999999999999, + -0.025000000000000022, + -0.022700000000000053, + -0.020400000000000085, + -0.018100000000000005, + -0.015800000000000036, + -0.013499999999999956, + -0.011199999999999988, + -0.008900000000000019, + -0.00660000000000005, + -0.0043000000000000815, + -0.0020000000000000018, + 0.00029999999999996696, + 0.0025999999999999357, + 0.0049000000000000155, + 0.007199999999999984, + 0.009500000000000064, + 0.011799999999999922, + 0.01409999999999989, + 0.01639999999999997, + 0.01869999999999994, + 0.02100000000000002, + 0.023299999999999987, + 0.025599999999999956, + 0.027900000000000036, + 0.030200000000000005, + 0.03249999999999997, + 0.03479999999999994, + 0.03709999999999991, + 0.03939999999999999, + 0.04169999999999996, + 0.04400000000000004, + 0.04630000000000001, + 0.04859999999999998, + 0.050899999999999945, + 0.053199999999999914, + 0.055499999999999994, + 0.05779999999999996, + 0.06009999999999993, + 0.06240000000000001, + 0.06469999999999998, + 0.06700000000000006, + 0.06930000000000003, + 0.07159999999999989, + 0.07389999999999997, + 0.07619999999999993, + 0.07850000000000001, + 0.08079999999999998, + 0.08309999999999995, + 0.08540000000000003, + 0.0877, + 0.08999999999999997, + 0.09229999999999994, + 0.0945999999999999, + 0.09689999999999999, + 0.09919999999999995, + 0.10150000000000003, + 0.1038, + 0.10609999999999997, + 0.10840000000000005, + 0.11069999999999991, + 0.11299999999999999, + 0.11529999999999996, + 0.11759999999999993, + 0.1199, + 0.12219999999999998, + 0.12450000000000006, + 0.12680000000000002, + 0.12909999999999988, + 0.13139999999999996, + 0.13369999999999993, + 0.136, + 0.13829999999999998, + 0.14059999999999995, + 0.14290000000000003, + 0.1452, + 0.14749999999999985, + 0.14979999999999993, + 0.1520999999999999, + 0.15439999999999998, + 0.15669999999999995, + 0.15899999999999992, + 0.1613, + 0.16359999999999997, + 0.16590000000000005, + 0.1681999999999999, + 0.17049999999999987, + 0.17279999999999995, + 0.17509999999999992, + 0.1774, + 0.17969999999999997, + 0.18199999999999994, + 0.18430000000000002, + 0.18659999999999988, + 0.18889999999999996, + 0.19119999999999993, + 0.1934999999999999, + 0.19579999999999997, + 0.19809999999999994, + 0.20040000000000002, + 0.2027, + 0.20499999999999996, + 0.20729999999999993, + 0.2095999999999999, + 0.21189999999999998, + 0.21419999999999995, + 0.21649999999999991, + 0.2188, + 0.22109999999999996, + 0.22340000000000004, + 0.2256999999999999, + 0.22799999999999987, + 0.23029999999999995, + 0.23259999999999992, + 0.2349, + 0.23719999999999997, + 0.23949999999999994, + 0.24180000000000001, + 0.24409999999999998, + 0.24639999999999995, + 0.24869999999999992, + 0.2509999999999999, + 0.25329999999999997, + 0.25559999999999994, + 0.2579, + 0.2602, + 0.26249999999999996, + 0.2647999999999999, + 0.2670999999999999, + 0.2694, + 0.27169999999999994, + 0.2739999999999999, + 0.2763, + 0.27859999999999996, + 0.28090000000000004, + 0.2832, + 0.28549999999999986, + 0.28779999999999994, + 0.2900999999999999, + 0.2924, + 0.29469999999999996, + 0.29699999999999993, + 0.2993, + 0.3016, + 0.30389999999999995, + 0.3061999999999999, + 0.3084999999999999, + 0.31079999999999997, + 0.31309999999999993, + 0.3154, + 0.3177, + 0.31999999999999995, + 0.32230000000000003, + 0.3245999999999999, + 0.32689999999999997, + 0.32919999999999994, + 0.3314999999999999, + 0.3338, + 0.33609999999999995, + 0.33840000000000003, + 0.3407, + 0.34299999999999986, + 0.34529999999999994, + 0.3475999999999999, + 0.3499, + 0.35219999999999996, + 0.3544999999999999, + 0.3568, + 0.3591, + 0.36140000000000005, + 0.3636999999999999, + 0.3659999999999999, + 0.36829999999999996, + 0.37059999999999993, + 0.3729, + 0.3752, + 0.37749999999999995, + 0.3798, + 0.3820999999999999, + 0.38439999999999996, + 0.38669999999999993, + 0.3889999999999999, + 0.3913, + 0.39359999999999995, + 0.39590000000000003, + 0.3982, + 0.40049999999999997, + 0.40279999999999994, + 0.4050999999999999, + 0.4074000000000001, + 0.40970000000000006, + 0.4119999999999998, + 0.4143, + 0.41659999999999997, + 0.41889999999999994, + 0.4211999999999999, + 0.4234999999999999, + 0.42580000000000007, + 0.42810000000000004, + 0.4303999999999998, + 0.43269999999999975, + 0.43499999999999994, + 0.4372999999999999, + 0.4395999999999999, + 0.44189999999999985, + 0.4441999999999998, + 0.4465, + 0.4488, + 0.45109999999999995, + 0.4533999999999999, + 0.4556999999999999, + 0.4580000000000001, + 0.46030000000000004, + 0.4626, + 0.4649, + 0.46719999999999995, + 0.4694999999999999, + 0.4717999999999999, + 0.47409999999999985, + 0.4763999999999998, + 0.4786999999999998, + 0.481, + 0.48329999999999995, + 0.4855999999999999, + 0.4878999999999999, + 0.49019999999999986, + 0.49250000000000005, + 0.4948, + 0.4971, + 0.49939999999999996, + 0.5016999999999999, + 0.5040000000000001, + 0.5063000000000001, + 0.5085999999999998, + 0.5108999999999998, + 0.5131999999999998, + 0.5155, + 0.5177999999999999, + 0.5200999999999999, + 0.5223999999999999, + 0.5246999999999998, + 0.527, + 0.5293, + 0.5316, + 0.5338999999999999, + 0.5361999999999999, + 0.5385000000000001, + 0.5408000000000001, + 0.5431, + 0.5454, + 0.5476999999999997 + ], + "xaxis": "x", + "y": [ + 0.022796087206203252, + 0.02272858190489621, + 0.02252726304222043, + 0.022195686433959864, + 0.021739662201732676, + 0.021167085432036933, + 0.02048770885899897, + 0.01971286671389876, + 0.018855160659874703, + 0.017928119951974457, + 0.016945848583350086, + 0.015922672186579927, + 0.014872796879208908, + 0.013809991131718395, + 0.012747300178971214, + 0.011696800598273336, + 0.010669400557168614, + 0.00967468901535645, + 0.00872083496794315, + 0.00781453575141429, + 0.006961011592660831, + 0.006164042037755494, + 0.005426038700213767, + 0.00474814794328558, + 0.004130376659231355, + 0.0035717342114515954, + 0.003070383826242891, + 0.002623797210157109, + 0.002228906868173039, + 0.0018822514449267252, + 0.0015801103441539944, + 0.001318624842320403, + 0.001093903850067066, + 0.000902113347411655, + 0.0007395492934982262, + 0.0006026944673561392, + 0.00048826022085804747, + 0.00039321451611958893, + 0.0003147978818362569, + 0.0002505290673693548, + 0.00019820221489881565, + 0.0001558773263680259, + 0.00012186569202740554, + 9.471178967909414e-05, + 7.31729755150136e-05, + 5.6198084010068575e-05, + 4.2905848512325354e-05, + 3.256385613261703e-05, + 2.456856778871143e-05, + 1.842677182670934e-05, + 1.3738700342879424e-05, + 1.0182922133111752e-05, + 7.503034613755462e-06, + 5.49610751996322e-06, + 4.002781410965605e-06, + 2.898891307285135e-06, + 2.0884673217670175e-06, + 1.4979571555560248e-06, + 1.0715172551334152e-06, + 7.672280227506161e-07, + 5.541018652192665e-07, + 4.0976957259294443e-07, + 3.1874944501742396e-07, + 2.712240048077231e-07, + 2.622706430725054e-07, + 2.9151504232792263e-07, + 3.631998096880443e-07, + 4.866857511061645e-07, + 6.774300397670241e-07, + 9.585146639776354e-07, + 1.3628304531583146e-06, + 1.9360570550718887e-06, + 2.7406176714624985e-06, + 3.860829065221455e-06, + 5.409511840016278e-06, + 7.536372242685799e-06, + 1.0438513064455212e-05, + 1.4373475135359428e-05, + 1.9675249013065844e-05, + 2.6773724343678234e-05, + 3.6218056536297695e-05, + 4.870442032118482e-05, + 6.510858000123901e-05, + 8.652362861086177e-05, + 0.00011430312429723034, + 0.00015010967378276558, + 0.00019596877241847914, + 0.00025432740254749473, + 0.00032811651391879005, + 0.0004208160628925598, + 0.0005365207773988594, + 0.0006800042544582572, + 0.0008567784060550995, + 0.0010731446745138385, + 0.0013362328754337027, + 0.00165402303738047, + 0.0020353452420232387, + 0.0024898522798259153, + 0.003027959980028397, + 0.0036607504027912417, + 0.004399833742982042, + 0.0052571658248042495, + 0.0062448194834541495, + 0.007374709931796114, + 0.008658276368154116, + 0.010106124537731968, + 0.011727637625670072, + 0.013530565614157657, + 0.015520605931083214, + 0.017700990682569327, + 0.02007209781126895, + 0.022631104967929125, + 0.025371705546393168, + 0.02828390605667455, + 0.031353922680254394, + 0.03456419240202884, + 0.03789351054439053, + 0.0413173019137347, + 0.04480802725828119, + 0.04833572055446424, + 0.051868646081964315, + 0.0553740576651005, + 0.05881903623791922, + 0.06217137643234172, + 0.06540048858009596, + 0.06847827970486699, + 0.07137997603675887, + 0.07408485048812014, + 0.07657682145567538, + 0.07884489420009218, + 0.08088342271173884, + 0.0826921780868991, + 0.08427621858884624, + 0.0856455662439672, + 0.08681470446137, + 0.08780192018452855, + 0.08862852192728199, + 0.08931797121746202, + 0.08989496907116508, + 0.09038454087897434, + 0.09081116238163167, + 0.09119796628678171, + 0.09156606373053354, + 0.0919340075656129, + 0.09231741583428181, + 0.09272876432346239, + 0.09317734741857686, + 0.0936693971973774, + 0.09420834242598267, + 0.09479518234987298, + 0.09542894531308083, + 0.09610719954908416, + 0.09682658306927988, + 0.09758332136897584, + 0.0983737054603593, + 0.09919450817319066, + 0.10004332327434665, + 0.1009188192113034, + 0.10182090661508965, + 0.10275082554938102, + 0.10371116436121924, + 0.10470582646180668, + 0.10573996414820352, + 0.10681989951225321, + 0.10795305156252677, + 0.10914788604366879, + 0.11041390034083122, + 0.11176165067723963, + 0.11320282299807868, + 0.11475034297048538, + 0.11641851490467858, + 0.1182231745654419, + 0.12018183717647847, + 0.12231381970594483, + 0.12464031592822378, + 0.12718440382993476, + 0.1299709675908762, + 0.13302652043594532, + 0.1363789198433264, + 0.1400569725618477, + 0.14408993325252353, + 0.14850690693296176, + 0.15333617139395322, + 0.15860444104258695, + 0.16433609793289095, + 0.17055241887173608, + 0.17727082930856017, + 0.18450421518005694, + 0.19226032299951196, + 0.20054127632484967, + 0.20934323342275873, + 0.21865620661219917, + 0.22846405858265342, + 0.2387446851159874, + 0.24947038727813128, + 0.2606084294763598, + 0.27212177299544354, + 0.2839699679373526, + 0.29611018011388585, + 0.3084983236134724, + 0.32109026472944463, + 0.33384305895124317, + 0.34671618003275967, + 0.35967269899512305, + 0.37268037148891126, + 0.3857125943688545, + 0.39874919667904735, + 0.4117770364670657, + 0.4247903827883356, + 0.43779107165655773, + 0.4507884351552562, + 0.46379901395891115, + 0.47684607454696526, + 0.4899589628062308, + 0.503172334869032, + 0.5165253133166279, + 0.530060621752746, + 0.543823752796453, + 0.5578622234821181, + 0.5722249677881367, + 0.5869619086388386, + 0.6021237415249614, + 0.6177619493423131, + 0.6339290537945804, + 0.6506790935121675, + 0.6680683037582368, + 0.6861559581147981, + 0.7050053197378597, + 0.7246846394424575, + 0.745268130707481, + 0.7668368481948319, + 0.7894793968790426, + 0.813292403483775, + 0.8383806904917415, + 0.8648571051783757, + 0.8928419713482058, + 0.9224621489732939, + 0.9538497058460929, + 0.9871402246669415, + 1.0224707876472514, + 1.0599776976946125, + 1.0997940095991352, + 1.1420469555335162, + 1.1868553559626636, + 1.234327109303397, + 1.2845568512005525, + 1.3376238671786411, + 1.3935903310389304, + 1.4524999262997285, + 1.514376890039183, + 1.579225498680278, + 1.647029994653027, + 1.717754932618762, + 1.7913459051572769, + 1.8677305915131033, + 1.9468200600236902, + 2.02851024584514, + 2.112683520932712, + 2.199210273030533, + 2.287950414511921, + 2.3787547498666455, + 2.4714661418170425, + 2.5659204296610834, + 2.661947068588927, + 2.7593694744748736, + 2.8580050741248724, + 2.9576650753819407, + 3.058153984236331, + 3.1592689067216146, + 3.2607986816791534, + 3.3625228964186693, + 3.4642108410494044, + 3.565620459100463, + 3.6664973523714943, + 3.76657389716604, + 3.865568527537277, + 3.9631852392131863, + 4.0591133656347775, + 4.153027675055868, + 4.24458883478161, + 4.333444285091958, + 4.419229560826963, + 4.5015700925718765, + 4.580083511445271, + 4.654382471311562, + 4.724077989594036, + 4.788783292731424, + 4.848118134905983, + 4.90171353942899, + 4.949216891802112, + 4.990297292899358, + 5.0246510610221895, + 5.052007253957094, + 5.072133067814714, + 5.0848389594850865, + 5.089983334976984, + 5.087476647451913, + 5.077284756840933, + 5.059431417618607, + 5.033999782305371, + 5.001132834911457, + 4.961032699820857, + 4.913958806257462, + 4.860224924984053, + 4.800195130640804, + 4.734278778487522, + 4.662924616691685, + 4.586614183273952, + 4.505854659185185, + 4.421171364833497, + 4.333100096125382, + 4.242179497499227, + 4.148943663625962, + 4.053915148871854, + 3.9575985449896316, + 3.8604747637931123, + 3.7629961339208573, + 3.6655823904626583, + 3.568617604515169, + 3.4724480679411815, + 3.377381117953837, + 3.2836848577392073, + 3.1915887041184616, + 3.101284672004615, + 3.012929288696671, + 2.926646019237661, + 2.8425280772962718, + 2.760641494268746, + 2.6810283223076365, + 2.6037098543706714, + 2.5286897556059316, + 2.4559570147938543, + 2.3854886414075835, + 2.3172520523297147, + 2.251207111547011, + 2.187307805410907, + 2.125503554512284, + 2.065740180148725, + 2.007960558128589, + 1.9521050047396067, + 1.898111448725186, + 1.8459154488218552, + 1.795450118732766, + 1.7466460204177021, + 1.6994310824909198, + 1.6537305936910467, + 1.6094673122957157, + 1.5665617215602148, + 1.524932449388981, + 1.4844968581538935, + 1.4451717985019192, + 1.4068745097579287, + 1.3695236396698396, + 1.333040348214014, + 1.2973494543173179, + 1.2623805808706428, + 1.2280692523869101, + 1.194357901042669, + 1.1611967404613828, + 1.1285444721639533, + 1.0963687967539042, + 1.0646467101816126, + 1.0333645743643995, + 1.0025179605364598, + 0.9721112724882869, + 0.9421571648939753, + 0.9126757788442439, + 0.8836938222115932, + 0.8552435263750737, + 0.8273615130309723, + 0.8000876053216818, + 0.7734636164375027, + 0.7475321463840101, + 0.7223354140346305, + 0.6979141472325376, + 0.6743065489276302, + 0.6515473524996646, + 0.6296669748738492, + 0.6086907720832712, + 0.5886383988097993, + 0.5695232712953004, + 0.5513521319173934, + 0.5341247136290834, + 0.5178335032352221, + 0.502463603902316, + 0.4879926990875894, + 0.47439112190289107, + 0.461622035460035, + 0.44964173065500557, + 0.4384000478645392, + 0.4278409279490164, + 0.41790309567475953, + 0.4085208751896635, + 0.3996251326255603, + 0.39114433548469224, + 0.38300571251700455, + 0.375136491703019, + 0.36746518816023216, + 0.35992290873546, + 0.35244463615197097, + 0.34497045321005054, + 0.33744666696566517, + 0.32982679419519195, + 0.3220723728299604, + 0.31415356931687705, + 0.30604955880918827, + 0.29774866338179357, + 0.28924824267668064, + 0.28055434103413346, + 0.27168110474430585, + 0.26264999205696316, + 0.2534888065477121, + 0.24423059095576963, + 0.23491242336920087, + 0.22557416043147271, + 0.2162571729842767, + 0.20700311826639486, + 0.19785278958485084, + 0.1888450794858582, + 0.1800160861795568, + 0.17139838567109736, + 0.16302048411214606, + 0.15490645671298972, + 0.14707577153761625, + 0.13954328900405286, + 0.13231942124608215, + 0.1254104299187669, + 0.11881883674139745, + 0.11254391818974964, + 0.1065822543258566, + 0.10092830177006303, + 0.09557496219566272, + 0.09051412032308688, + 0.08573712902338483, + 0.08123522358725296, + 0.07699985222750771, + 0.07302291519628455, + 0.06929691024660595, + 0.06581498729280438, + 0.06257091978614297, + 0.05955900431079187, + 0.05677390304953244, + 0.05421044594270009, + 0.051863410494451805, + 0.04972729724944677, + 0.04779611800877241, + 0.046063211969404626, + 0.04452110229918634, + 0.04316140238373511, + 0.04197477731879803, + 0.04095096240613162, + 0.04007883668245441, + 0.0393465460986194, + 0.03874166807428241, + 0.0382514069482267, + 0.03786280844320836, + 0.037562980726735064, + 0.03733930997466696, + 0.037179659471467466, + 0.037072543092171076, + 0.03700726634289432, + 0.03697403079128292, + 0.03696400047941162, + 0.03696933156149569, + 0.03698316874503024, + 0.0369996139658297, + 0.037013673968981885, + 0.037021194027689185, + 0.037018784898938346, + 0.03700374933755883, + 0.036974013172308036, + 0.0369280642385439, + 0.036864900543283945, + 0.03678398710731527, + 0.036685219181048896, + 0.03656888814232717, + 0.036435645496767075, + 0.036286460108212, + 0.036122564126160356, + 0.035945384026752535, + 0.035756454664320717, + 0.03555731611097608, + 0.035349395171974364, + 0.03513387560969563, + 0.034911563086367316, + 0.03468275245261171, + 0.03444710609995357, + 0.034203552536576844, + 0.03395021406542142, + 0.03368437142976341, + 0.033402471591865664, + 0.03310018253016815, + 0.032772496233414904, + 0.03241387812590039, + 0.032018458187477436, + 0.03158025625013175, + 0.03109343156212908, + 0.03055254488497485, + 0.029952820260241427, + 0.029290393234242557 + ], + "yaxis": "y" + }, + { + "legendgroup": "FAKE", + "marker": { + "color": "rgb(0, 200, 200)" + }, + "mode": "lines", + "name": "FAKE", + "showlegend": false, + "type": "scatter", + "x": [ + -0.6, + -0.5973999999999999, + -0.5948, + -0.5922, + -0.5896, + -0.587, + -0.5844, + -0.5818, + -0.5791999999999999, + -0.5766, + -0.574, + -0.5714, + -0.5688, + -0.5662, + -0.5636, + -0.5609999999999999, + -0.5584, + -0.5558, + -0.5532, + -0.5506, + -0.548, + -0.5454, + -0.5428, + -0.5402, + -0.5376, + -0.535, + -0.5324, + -0.5298, + -0.5272, + -0.5246, + -0.522, + -0.5194, + -0.5168, + -0.5142, + -0.5115999999999999, + -0.509, + -0.5064, + -0.5038, + -0.5012, + -0.4986, + -0.496, + -0.4934, + -0.4908, + -0.48819999999999997, + -0.48560000000000003, + -0.483, + -0.4804, + -0.4778, + -0.4752, + -0.4726, + -0.47, + -0.4674, + -0.4648, + -0.4622, + -0.4596, + -0.457, + -0.4544, + -0.4518, + -0.4492, + -0.4466, + -0.444, + -0.4414, + -0.43879999999999997, + -0.43620000000000003, + -0.4336, + -0.431, + -0.4284, + -0.42579999999999996, + -0.4232, + -0.4206, + -0.41800000000000004, + -0.4154, + -0.4128, + -0.4102, + -0.40759999999999996, + -0.405, + -0.4024, + -0.39980000000000004, + -0.3972, + -0.3946, + -0.392, + -0.3894, + -0.38680000000000003, + -0.3842, + -0.3816, + -0.379, + -0.3764, + -0.3738, + -0.37120000000000003, + -0.36860000000000004, + -0.366, + -0.3634, + -0.3608, + -0.3582, + -0.3556, + -0.353, + -0.35040000000000004, + -0.3478, + -0.3452, + -0.3426, + -0.34, + -0.33740000000000003, + -0.3348, + -0.33220000000000005, + -0.3296, + -0.327, + -0.3244, + -0.3218, + -0.31920000000000004, + -0.3166, + -0.31400000000000006, + -0.3114, + -0.3088, + -0.3062, + -0.3036, + -0.30100000000000005, + -0.2984, + -0.29580000000000006, + -0.2932, + -0.2906, + -0.28800000000000003, + -0.2854, + -0.28280000000000005, + -0.2802, + -0.2776, + -0.275, + -0.27240000000000003, + -0.26980000000000004, + -0.26720000000000005, + -0.2646, + -0.262, + -0.2594, + -0.25680000000000003, + -0.25420000000000004, + -0.2516, + -0.24900000000000005, + -0.2464, + -0.24380000000000007, + -0.24120000000000003, + -0.23859999999999998, + -0.23600000000000004, + -0.2334, + -0.23080000000000006, + -0.22820000000000001, + -0.22560000000000002, + -0.22300000000000003, + -0.22039999999999998, + -0.21780000000000005, + -0.2152, + -0.21260000000000007, + -0.21000000000000002, + -0.20740000000000003, + -0.20480000000000004, + -0.20220000000000005, + -0.19960000000000006, + -0.197, + -0.19440000000000002, + -0.19180000000000003, + -0.18920000000000003, + -0.18660000000000004, + -0.18400000000000005, + -0.1814, + -0.17880000000000007, + -0.17620000000000002, + -0.17360000000000003, + -0.17100000000000004, + -0.1684, + -0.16580000000000006, + -0.1632, + -0.16060000000000008, + -0.15800000000000003, + -0.15540000000000004, + -0.15280000000000005, + -0.1502, + -0.14760000000000006, + -0.14500000000000002, + -0.14240000000000008, + -0.13980000000000004, + -0.13720000000000004, + -0.13460000000000005, + -0.13200000000000006, + -0.12940000000000007, + -0.12680000000000002, + -0.12420000000000003, + -0.12160000000000004, + -0.11900000000000005, + -0.11640000000000006, + -0.11380000000000007, + -0.11120000000000002, + -0.10860000000000003, + -0.10600000000000004, + -0.10340000000000005, + -0.10080000000000006, + -0.09820000000000007, + -0.09560000000000002, + -0.09300000000000008, + -0.09040000000000004, + -0.0878000000000001, + -0.08520000000000005, + -0.0826, + -0.08000000000000007, + -0.07740000000000002, + -0.07480000000000009, + -0.07220000000000004, + -0.0696, + -0.06700000000000006, + -0.06440000000000012, + -0.06180000000000008, + -0.05920000000000003, + -0.056599999999999984, + -0.05400000000000005, + -0.05140000000000011, + -0.048800000000000066, + -0.04620000000000002, + -0.04359999999999997, + -0.041000000000000036, + -0.0384000000000001, + -0.035800000000000054, + -0.03320000000000001, + -0.03059999999999996, + -0.028000000000000136, + -0.02540000000000009, + -0.022800000000000042, + -0.020199999999999996, + -0.01760000000000006, + -0.015000000000000124, + -0.012400000000000078, + -0.009800000000000031, + -0.007199999999999984, + -0.0046000000000001595, + -0.002000000000000113, + 0.0005999999999999339, + 0.0031999999999999806, + 0.005800000000000027, + 0.008399999999999852, + 0.010999999999999899, + 0.013599999999999945, + 0.016199999999999992, + 0.018799999999999928, + 0.021399999999999864, + 0.02399999999999991, + 0.026599999999999957, + 0.029200000000000004, + 0.03179999999999994, + 0.034399999999999875, + 0.03699999999999992, + 0.03959999999999997, + 0.042199999999999904, + 0.04479999999999995, + 0.04739999999999989, + 0.04999999999999993, + 0.05259999999999998, + 0.055199999999999916, + 0.05779999999999996, + 0.0603999999999999, + 0.06299999999999994, + 0.06559999999999988, + 0.06819999999999993, + 0.07079999999999997, + 0.07339999999999991, + 0.07599999999999996, + 0.07859999999999989, + 0.08119999999999994, + 0.08379999999999999, + 0.08639999999999992, + 0.08899999999999986, + 0.0915999999999999, + 0.09419999999999995, + 0.0968, + 0.09939999999999993, + 0.10199999999999987, + 0.10459999999999992, + 0.10719999999999996, + 0.10980000000000001, + 0.11239999999999983, + 0.11499999999999988, + 0.11759999999999993, + 0.12019999999999997, + 0.12280000000000002, + 0.12539999999999984, + 0.1279999999999999, + 0.13059999999999994, + 0.13319999999999999, + 0.13580000000000003, + 0.13839999999999986, + 0.1409999999999999, + 0.14359999999999995, + 0.1462, + 0.14879999999999993, + 0.15139999999999987, + 0.15399999999999991, + 0.15659999999999996, + 0.1592, + 0.16179999999999983, + 0.16439999999999988, + 0.16699999999999993, + 0.16959999999999997, + 0.1721999999999999, + 0.17479999999999984, + 0.1773999999999999, + 0.17999999999999994, + 0.18259999999999998, + 0.18519999999999992, + 0.18779999999999986, + 0.1903999999999999, + 0.19299999999999995, + 0.19559999999999989, + 0.19819999999999993, + 0.20079999999999987, + 0.20339999999999991, + 0.20599999999999996, + 0.2085999999999999, + 0.21119999999999994, + 0.21379999999999988, + 0.21639999999999993, + 0.21899999999999986, + 0.2215999999999999, + 0.22419999999999995, + 0.2267999999999999, + 0.22939999999999994, + 0.23199999999999987, + 0.23459999999999992, + 0.23719999999999997, + 0.2397999999999999, + 0.24239999999999984, + 0.24499999999999988, + 0.24759999999999993, + 0.2502, + 0.2527999999999999, + 0.25539999999999985, + 0.2579999999999999, + 0.26059999999999994, + 0.2632, + 0.2657999999999998, + 0.26839999999999986, + 0.2709999999999999, + 0.27359999999999995, + 0.2762, + 0.2787999999999998, + 0.2813999999999999, + 0.2839999999999999, + 0.28659999999999997, + 0.2891999999999999, + 0.29179999999999984, + 0.2943999999999999, + 0.29699999999999993, + 0.2996, + 0.3021999999999999, + 0.30479999999999985, + 0.3073999999999999, + 0.30999999999999994, + 0.3125999999999999, + 0.3151999999999998, + 0.31779999999999986, + 0.3203999999999999, + 0.32299999999999995, + 0.3255999999999999, + 0.3281999999999998, + 0.33079999999999987, + 0.3333999999999999, + 0.33599999999999985, + 0.3385999999999999, + 0.34119999999999984, + 0.3437999999999999, + 0.34639999999999993, + 0.34899999999999987, + 0.3515999999999999, + 0.35419999999999985, + 0.3567999999999999, + 0.35939999999999983, + 0.3619999999999999, + 0.3645999999999999, + 0.36719999999999986, + 0.3697999999999999, + 0.37239999999999984, + 0.3749999999999999, + 0.37759999999999994, + 0.38019999999999987, + 0.3827999999999999, + 0.38539999999999985, + 0.3879999999999999, + 0.39059999999999995, + 0.3931999999999999, + 0.3957999999999998, + 0.39839999999999987, + 0.4009999999999999, + 0.40359999999999985, + 0.4061999999999998, + 0.40879999999999994, + 0.4113999999999999, + 0.4139999999999998, + 0.41659999999999997, + 0.4191999999999999, + 0.42179999999999984, + 0.4243999999999998, + 0.4269999999999997, + 0.42959999999999987, + 0.4321999999999998, + 0.43479999999999996, + 0.4373999999999999, + 0.43999999999999984, + 0.4426, + 0.44519999999999993, + 0.4478000000000001, + 0.4503999999999998, + 0.45299999999999974, + 0.4555999999999999, + 0.45819999999999983, + 0.4608, + 0.4633999999999999, + 0.46599999999999986, + 0.4686, + 0.47119999999999973, + 0.4737999999999999, + 0.4763999999999998, + 0.47899999999999976, + 0.4815999999999999, + 0.48419999999999985, + 0.4868, + 0.48939999999999995, + 0.4919999999999999, + 0.49460000000000004, + 0.49719999999999975, + 0.4997999999999999, + 0.5023999999999998, + 0.5049999999999998, + 0.5075999999999999, + 0.5101999999999999, + 0.5128, + 0.5154, + 0.5179999999999999, + 0.5205999999999998, + 0.5231999999999998, + 0.5257999999999999, + 0.5283999999999999, + 0.5309999999999998, + 0.5336, + 0.5361999999999999, + 0.5388000000000001, + 0.5414, + 0.5439999999999997, + 0.5465999999999999, + 0.5491999999999998, + 0.5518, + 0.5543999999999999, + 0.5569999999999998, + 0.5596, + 0.5621999999999999, + 0.5647999999999999, + 0.5673999999999998, + 0.5699999999999997, + 0.5725999999999999, + 0.5751999999999998, + 0.5777999999999998, + 0.5803999999999999, + 0.5829999999999999, + 0.5856, + 0.5882, + 0.5907999999999997, + 0.5933999999999998, + 0.5959999999999998, + 0.5985999999999999, + 0.6011999999999998, + 0.6037999999999998, + 0.6063999999999999, + 0.6089999999999999, + 0.6116, + 0.6141999999999997, + 0.6167999999999997, + 0.6193999999999998, + 0.6219999999999998, + 0.6245999999999999, + 0.6271999999999999, + 0.6297999999999998, + 0.6324, + 0.6349999999999999, + 0.6375999999999998, + 0.6401999999999998, + 0.6427999999999997, + 0.6453999999999999, + 0.6479999999999998, + 0.6506, + 0.6531999999999999, + 0.6557999999999998, + 0.6584, + 0.6609999999999997, + 0.6635999999999999, + 0.6661999999999998, + 0.6687999999999997, + 0.6713999999999999, + 0.6739999999999998, + 0.6766, + 0.6791999999999999, + 0.6817999999999999, + 0.6843999999999998, + 0.6869999999999997, + 0.6895999999999999, + 0.6921999999999998, + 0.6947999999999998, + 0.6973999999999999 + ], + "xaxis": "x", + "y": [ + 0.0206987170648051, + 0.020635893493368238, + 0.020448564537101196, + 0.020140120956049144, + 0.019716100427708425, + 0.01918402218613055, + 0.018553165283444927, + 0.017834299607924542, + 0.017039380545392047, + 0.016181219358452285, + 0.015273141934178822, + 0.01432864850662751, + 0.013361086323970038, + 0.012383346062819071, + 0.011407591184133226, + 0.010445027486416767, + 0.009505717965686725, + 0.008598445864598136, + 0.007730626607381034, + 0.006908267283060201, + 0.006135970549036039, + 0.005416978350476769, + 0.00475324973347897, + 0.004145566291905572, + 0.003593658425778245, + 0.003096345578694116, + 0.002651683921524187, + 0.002257115505750882, + 0.0019096136607778143, + 0.0016058202911727252, + 0.0013421716794004114, + 0.0011150103596586553, + 0.0009206815493714941, + 0.0007556134669150086, + 0.0006163815981117403, + 0.0004997575815091323, + 0.00040274385509275767, + 0.00032259554535587625, + 0.0002568312912965441, + 0.00020323479417520506, + 0.00015984888565483962, + 0.00012496383116086945, + 9.710145131546986e-05, + 7.499647074608602e-05, + 5.7576307381988046e-05, + 4.394031116726966e-05, + 3.3339260914156776e-05, + 2.5155741031205774e-05, + 1.8885852681013202e-05, + 1.4122570756753883e-05, + 1.0540941080354402e-05, + 7.885221934041503e-06, + 5.9580097109615275e-06, + 4.611348505225871e-06, + 3.739805701195794e-06, + 3.275497613687578e-06, + 3.185068405408947e-06, + 3.468659279349938e-06, + 4.160950734944236e-06, + 5.3344158756433615e-06, + 7.104984612860773e-06, + 9.640384092447918e-06, + 1.3171486277347175e-05, + 1.8007055204789198e-05, + 2.455233902054527e-05, + 3.333198952824472e-05, + 4.5017807682371796e-05, + 6.046179916982824e-05, + 8.073497104274661e-05, + 0.00010717219875622191, + 0.00014142333326328037, + 0.0001855104908834377, + 0.00024189116672837212, + 0.00031352643019877353, + 0.00040395299673474396, + 0.0005173574267823485, + 0.0006586500901961315, + 0.0008335358687747898, + 0.0010485778763941443, + 0.001311249789205258, + 0.0016299717404384005, + 0.002014124196504158, + 0.002474033850968145, + 0.0030209254124392033, + 0.0036668332840915155, + 0.004424467595586274, + 0.005307029903210642, + 0.0063279751577487876, + 0.007500718268949106, + 0.00883828576252359, + 0.010352915593047123, + 0.012055611073999332, + 0.01395565801077451, + 0.016060117337303528, + 0.01837330869650817, + 0.02089630328118465, + 0.02362644666391733, + 0.02655693408955081, + 0.02967646159081774, + 0.03296897615261772, + 0.03641354686970127, + 0.039984376546866936, + 0.04365096947594522, + 0.047378466257960175, + 0.05112815066530077, + 0.05485812687386418, + 0.05852415822060812, + 0.062080651291641406, + 0.06548176198834724, + 0.06868259363568541, + 0.0716404515589599, + 0.07431611419969553, + 0.07667507804722956, + 0.07868873263268937, + 0.08033542267681108, + 0.08160135721250922, + 0.08248133002443471, + 0.08297922187047674, + 0.08310826239785721, + 0.08289103809428468, + 0.08235924163122398, + 0.0815531671482365, + 0.0805209649840838, + 0.07931767769799519, + 0.07800408660641533, + 0.0766454042128163, + 0.07530985263011393, + 0.07406717126362115, + 0.07298709858999482, + 0.07213787285632942, + 0.07158479501444259, + 0.07138889432570118, + 0.07160573298136723, + 0.07228438096230168, + 0.07346658639922879, + 0.07518616008171715, + 0.07746858568932398, + 0.08033085996761455, + 0.08378155962952252, + 0.08782112441580779, + 0.09244233869093607, + 0.09763098738603167, + 0.10336665624266372, + 0.1096236413820373, + 0.116371929446747, + 0.12357820715013776, + 0.13120685821085937, + 0.13922090649576863, + 0.14758286683218041, + 0.1562554693937713, + 0.1652022297362727, + 0.17438784428321977, + 0.18377840006063592, + 0.19334139737828757, + 0.2030455944969439, + 0.2128606935872305, + 0.22275689692434528, + 0.2327043707222069, + 0.24267266077443206, + 0.25263010869330665, + 0.2625433196810244, + 0.27237673222026515, + 0.2820923367735787, + 0.2916495846314421, + 0.30100551970229283, + 0.3101151556935172, + 0.31893210931093635, + 0.32740948741742626, + 0.33550101320458087, + 0.34316236402460926, + 0.35035268225664773, + 0.3570362110320464, + 0.3631839993099987, + 0.3687756160486735, + 0.37380081128874654, + 0.37826106293886763, + 0.3821709518619828, + 0.3855593143049849, + 0.3884701294666029, + 0.39096311063252837, + 0.39311398031717765, + 0.3950144226801651, + 0.39677171954667895, + 0.3985080890643953, + 0.4003597578020295, + 0.4024758073980341, + 0.4050168452155485, + 0.4081535544299802, + 0.41206518222537203, + 0.4169380250525395, + 0.42296396705714057, + 0.43033912178758255, + 0.4392626182398916, + 0.44993556043175464, + 0.4625601754175601, + 0.47733914851761194, + 0.494475127255071, + 0.5141703579408128, + 0.5366264020148053, + 0.5620438642306385, + 0.5906220526883338, + 0.6225584826889166, + 0.658048133415712, + 0.6972823693757518, + 0.7404474479290836, + 0.7877225503187614, + 0.8392772962012665, + 0.8952687301181884, + 0.9558378015185748, + 1.0211053962479157, + 1.0911680148658753, + 1.16609322942704, + 1.2459150829584358, + 1.3306296222728171, + 1.420190772605198, + 1.5145067698396473, + 1.613437361326329, + 1.7167919686921047, + 1.8243289756558665, + 1.9357562615909427, + 2.0507330492398426, + 2.168873075214207, + 2.289749028025978, + 2.4128981342062628, + 2.5378287126238934, + 2.6640274644195143, + 2.790967224679444, + 2.91811487511413, + 3.0449391067258467, + 3.1709177288272543, + 3.295544245702198, + 3.418333463371432, + 3.5388259438939547, + 3.6565911899779557, + 3.771229514241477, + 3.8823726206633618, + 3.9896829959147637, + 4.09285227092196, + 4.191598764311356, + 4.28566445630323, + 4.374811662175867, + 4.458819677810628, + 4.537481656439084, + 4.610601947058759, + 4.6779940835478495, + 4.7394795625207475, + 4.794887491129588, + 4.8440551272144035, + 4.886829277205905, + 4.9230684653817045, + 4.952645744266199, + 4.975451982194813, + 4.991399441553341, + 5.000425450331335, + 5.002495969992162, + 4.9976088731922905, + 4.985796763997398, + 4.967129199029051, + 4.941714198367827, + 4.909698967991243, + 4.871269789154576, + 4.826651062816225, + 4.776103527688039, + 4.719921697835169, + 4.658430589383405, + 4.591981825538815, + 4.520949224743403, + 4.445723988501078, + 4.366709613416991, + 4.28431665653099, + 4.198957484299662, + 4.111041133749512, + 4.020968409489136, + 3.929127332493422, + 3.835889045908641, + 3.7416042696505865, + 3.646600379423932, + 3.55117916722835, + 3.455615319818792, + 3.360155629481769, + 3.2650189285509845, + 3.170396716114017, + 3.0764544232466906, + 2.983333242787364, + 2.891152432046057, + 2.800011982774377, + 2.709995542903492, + 2.621173469496783, + 2.533605892333492, + 2.4473456725430696, + 2.3624411504754628, + 2.27893859097901, + 2.196884251685068, + 2.116326019794838, + 2.0373145841269924, + 1.959904130657389, + 1.8841525703292066, + 1.8101213265009286, + 1.737874725169293, + 1.6674790434248463, + 1.5990012801073428, + 1.532507717251992, + 1.4680623418585308, + 1.4057251952237764, + 1.3455507122003012, + 1.2875861060507443, + 1.2318698468786082, + 1.178430273718903, + 1.1272843729441533, + 1.078436749192286, + 1.0318788098502563, + 0.9875881802973577, + 0.9455283644688475, + 0.9056486634946691, + 0.8678843637110125, + 0.8321572036734383, + 0.7983761273606984, + 0.7664383270679974, + 0.7362305742099652, + 0.7076308292446549, + 0.6805101132709448, + 0.654734613852249, + 0.6301679867981365, + 0.6066738046777412, + 0.5841180925379877, + 0.5623718824838779, + 0.541313712235092, + 0.5208319891769324, + 0.5008271412713424, + 0.48121347975901463, + 0.4619207058896681, + 0.44289500473193555, + 0.42409968296560285, + 0.40551532377260396, + 0.3871394496924491, + 0.36898570267523517, + 0.3510825686079652, + 0.33347169040375363, + 0.3162058285206875, + 0.29934653985338366, + 0.28296165482769015, + 0.26712263793436136, + 0.25190191876611656, + 0.23737027896697083, + 0.2235943756221418, + 0.21063447390605505, + 0.19854245176067856, + 0.18736012755602993, + 0.17711794867637892, + 0.16783406536209453, + 0.15951380046914634, + 0.15214951258431889, + 0.14572083758567989, + 0.14019528262112757, + 0.13552913687154955, + 0.13166865557166393, + 0.1285514677116568, + 0.12610815370159306, + 0.12426393705510157, + 0.12294043379410965, + 0.12205740470177492, + 0.12153445862478315, + 0.1212926595807456, + 0.12125599626027943, + 0.12135267939557401, + 0.12151624014116988, + 0.12168641080092704, + 0.12180977764600757, + 0.12184020390417909, + 0.12173902896629976, + 0.12147505717132295, + 0.12102435594251323, + 0.12036988833855701, + 0.11950100908616146, + 0.11841285576526298, + 0.11710566797730397, + 0.11558406706058112, + 0.11385632730880003, + 0.11193366684392245, + 0.10982958248735837, + 0.1075592483987277, + 0.10513899316779837, + 0.10258586472127595, + 0.09991728710463377, + 0.09715080816316599, + 0.09430393258751504, + 0.09139403087859303, + 0.08843831165128702, + 0.08545384241491041, + 0.08245760257504393, + 0.07946655188926753, + 0.07649769793671107, + 0.07356814725917603, + 0.07069512661044615, + 0.06789596310718819, + 0.06518801489786415, + 0.06258854713872322, + 0.060114551468549805, + 0.05778251068436666, + 0.05560811381414024, + 0.053605930132198054, + 0.05178905373852077, + 0.05016873299311792, + 0.04875400123228437, + 0.047551326672720017, + 0.04656430012426603, + 0.045793378996497686, + 0.04523570504352316, + 0.044885011329295614, + 0.044731631043004476, + 0.04476261713197145, + 0.04496197738126932, + 0.04531102473750223, + 0.04578883757336591, + 0.04637281947490029, + 0.047039343275584164, + 0.04776445972946147, + 0.04852464765741889, + 0.049297579825341484, + 0.05006287737324288, + 0.050802825395240565, + 0.05150302327991845, + 0.05215294558993978, + 0.05274639244655736, + 0.053281812384994715, + 0.05376248521161304, + 0.054196557250236435, + 0.05459692623897747, + 0.054980977778737825, + 0.055370179432188874, + 0.055789542179807305, + 0.05626696188088333, + 0.05683245566010613, + 0.057517309811678255, + 0.058353157007245485, + 0.05937100147334194, + 0.060600211544308134, + 0.06206749976071666, + 0.06379591159537837, + 0.0658038450117007, + 0.06810412437737184, + 0.07070315366898351, + 0.07360017522528794, + 0.07678666128175579, + 0.08024586584107518, + 0.08395256377862302, + 0.087873002141436, + 0.09196508512223761, + 0.09617880901741266, + 0.10045695657364019, + 0.10473605160180607, + 0.108947564853417, + 0.11301935132953589, + 0.11687728797283127, + 0.1204470697266187, + 0.123656111933155, + 0.12643549869224055, + 0.12872191076272507, + 0.13045946340830636, + 0.13160138465271856, + 0.13211146791108688, + 0.1319652398783393, + 0.13115079463140047, + 0.129669257674553, + 0.12753485847603913, + 0.12477460611541896, + 0.12142757910442263, + 0.11754385635216556, + 0.11318313074925777, + 0.10841305917276571, + 0.10330741224223675, + 0.09794409345138466, + 0.09240310013746314, + 0.086764498126526, + 0.08110647801247436, + 0.07550355427984616, + 0.0700249594006897, + 0.06473327426152584, + 0.05968332449513048, + 0.05492136019194794, + 0.05048452468974092, + 0.04640060724539136, + 0.042688064823897164, + 0.039356290310153745, + 0.03640609833649182, + 0.03383039566990366, + 0.03161500064862785, + 0.029739575335954484, + 0.028178634640370466, + 0.026902598367157773, + 0.025878854736693307, + 0.025072807059813407, + 0.024448878761256426, + 0.02397145559111482, + 0.023605747512359533, + 0.023318556299052856, + 0.023078938267350704, + 0.02285875476686576, + 0.022633106084072003, + 0.022380647264833076 + ], + "yaxis": "y" + }, + { + "legendgroup": "TRUE", + "marker": { + "color": "rgb(0, 0, 100)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "TRUE", + "showlegend": false, + "type": "scatter", + "x": [ + 0.04899515993265993, + -0.05, + 0.1396031746031746, + -0.3, + 0.01372474747474745, + 0.23888888888888885, + 0.09870394593416179, + 0.1301851851851852, + -0.11458333333333333, + 0.12284090909090907, + 0.08952516594516598, + -0.0011904761904761862, + 0.10047225501770955, + 0.19999999999999998, + 0.08977272727272727, + -0.03371782610154703, + 0.24090909090909093, + 0.06298779722692767, + 0.06712962962962962, + 0.0536096256684492, + 0.10512613822958654, + 0.08066239316239317, + 0.16583333333333333, + 0.12272727272727273, + 0.13055555555555556, + -0.010416666666666661, + 0.007142857142857145, + -0.07499999999999998, + 0.16100844644077736, + 0.04848484848484847, + 0.03798400673400674, + 0.1, + 0.22727272727272724, + 0.12637405471430369, + 0.07107843137254902, + 0.11281249999999995, + 0.014357142857142855, + 0.10633625410733845, + 0.15909090909090906, + 0.09138367805034472, + 0.009727082631274246, + 0.08232380672940122, + 0.11831460206460206, + 0.14114420062695923, + 0.0967444284110951, + 0.10259105628670848, + 0.07032081686429513, + 0.018213649096002035, + 0.10485355485355483, + 0.08330864980024645, + 0.085, + 0.16436507936507938, + 0, + 0.09722222222222222, + 0.26666666666666666, + 0.15454545454545454, + 0.04545454545454545, + 0.10676748176748178, + 0.04888888888888888, + -0.041666666666666664, + 0.1875172532781229, + 0.19523858717040535, + 0.07178631553631552, + -0.075, + 0.22787878787878793, + 0.03731294710018114, + 0.025708616780045344, + 0.059555555555555556, + 0.011833333333333335, + 0.1036730945821855, + 0.035897435897435895, + 0.08785921325051763, + -0.6, + 0.0205011655011655, + -0.024001924001924, + 0.07928841991341992, + 0.5, + 0.03, + 0.10641878954378953, + 0.07530078563411897, + 0.057368441251419995, + 0.15119047619047618, + 0.13522830344258918, + 0.07814715942493718, + 0.08370845986517628, + 0.11388888888888889, + 0.17954545454545456, + 0.0217389845296822, + 0.18863636363636363, + 0.041797637390857734, + 0.05494181143531794, + 0.1124557143374348, + 0.10676748176748178, + 0.13055555555555556, + 0.01325757575757576, + 0.010291005291005293, + 0.25, + 0.07013539651837523, + 0.15400724275724278, + 0.1645021645021645, + 0.12273232323232328, + 0.25, + 0.09391304347826088, + 0.125, + 0.09905753968253968, + 0.13189484126984122, + 0.025595238095238088, + 0.07115458381281166, + 0.08208333333333331, + 0.0376082251082251, + 0.14760251653108794, + 0.05000000000000001, + 0.45555555555555555, + 0.15277777777777776, + -0.2, + 0.007024793388429759, + -0.00019240019240018835, + -0.12993197278911564, + 0.008436639118457299, + -0.012878787878787873, + 0.12956709956709958, + 0.23958333333333331, + 0.09963698675062314, + 0.0031250000000000097, + 0.1374362087776722, + 0.21212121212121213, + -0.08357082732082731, + -0.125, + 0.17798996458087368, + 0.023068735242030694, + 0.05904128787878791, + 0.05672908741090559, + 0.1053469387755102, + 0.07142857142857142, + 0.1388888888888889, + 0.11527890783914883, + 0.12090067340067338, + 0.04256012506012507, + 0.0571650951787938, + 0.4035714285714285, + 0.13643939393939392, + 0.16654135338345863, + -0.010121951219512199, + 0.22787878787878793, + 0.0009618506493506484, + 0.15535714285714283, + 0.1977961432506887, + 0.06587301587301587, + 0.10833333333333334, + -0.05205441189047746, + 0.10818181818181818, + -0.19088203463203463, + 0.04991718991718992, + 0.10835497835497836, + 0.05303030303030303, + 0.1476190476190476, + 0.05851851851851851, + -0.3, + 0.21212121212121213, + 0.16074016563147, + 0.11770833333333333, + 0.07391774891774892, + 0.24625850340136052, + 0, + 0.07943722943722943, + 0.04261382623224729, + 0.32500000000000007, + 0.06245967741935485, + 0.005204942736588304, + 0.10583333333333333, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.15795088920088918, + 0.06957070707070707, + 0.04189655172413794, + 0.022199921290830385, + 0.04081632653061224, + 0.08660468319559228, + -0.3, + 0.019269896769896766, + 0.2, + 0.05078124999999999, + 0.13025210084033612, + 0.06875, + 0.12619047619047616, + 0.07897435897435898, + 0.09139438603724317, + -0.00881032547699215, + 0.17841478696741853, + 0.0872885222885223, + 0.25999999999999995, + 0.09969209469209472, + 0.1502754820936639, + 0.08105423987776927, + 0.09083177911241154, + 0.11431373157807583, + 0.07291666666666669, + 0.05238095238095238, + 0.06633544749823819, + -0.12071428571428573, + -0.007384772090654448, + -0.1, + 0.005333333333333328, + 0.06781849103277673, + 0.12760416666666669, + 0.13327552420145022, + 0.3477272727272727, + 0.07173184024423694, + 0.15288461538461537, + 0.06564818300325546, + -0.13095238095238096, + 0.005397727272727264, + 0.09287546561965167, + 0.16402597402597402, + 0.09697014790764792, + 0.041373706004140795, + 0.015367965367965364, + 0.049743431855500814, + 0.10640462374504926, + -0.006481481481481484, + -0.15999999999999998, + 0.11864058258126063, + 0.08737845418470418, + 0.19318181818181818, + 0.22198773448773448, + 0.20714285714285713, + 0.2625, + 0.1502754820936639, + 0.03970418470418469, + 0.22252121212121218, + 0.04047619047619048, + 0.08130335415846777, + 0.008888888888888892, + 0.1241732804232804, + 0.05178236446093589, + 0.1717532467532468, + 0.1902058421376603, + 0.04448907335505272, + 0.027304217521608828, + 0.054166666666666675, + 0.3277777777777778, + 0.018499478916145576, + 0.011833333333333335, + 0.0649891774891775, + 0.031250000000000014, + -0.075, + 0.14241478011969813, + 0.08639447267708139, + 0.14666666666666667, + 0.07054347826086955, + 0.028433892496392485, + 0.08443276752487282, + 0.31375000000000003, + 0.11499999999999999, + 0.225, + 0.06670983778126635, + 0.028571428571428564, + 0.04052553229083844, + 0.06501541387905022, + 0.12851027940313658, + 0.06195628646715604, + 0.04635416666666666, + 0.07488026410723778, + 0.09333333333333332, + 0.04622727272727273, + 0.03333333333333333, + 0.22348484848484845, + 0.22727272727272724, + 0.34444444444444444, + 0.12037037037037036, + 0.15093178327049298, + 0.17229437229437225, + 0.08977272727272727, + 0.103494623655914, + 0.03648730411888306, + -0.11666293476638308, + 0.21114718614718614, + 0.12887595163457227, + 0.03928571428571428, + 0.07924071542492594, + 0.1886977886977887, + 0.05548951048951049, + 0.20833333333333331, + 0.0910017953622605, + 0.06818181818181818, + -0.01602564102564102, + -0.018518518518518517, + -0.06622435535479013, + 0.084258196583778, + 0.04145502645502646, + -0.014285714285714282, + -0.08147727272727272, + 0.07832405689548547, + 0.02853174603174602, + 0.028571428571428557, + 0.15239393939393941, + 0.3052631578947368, + 0.027970521541950115, + 0.06078431372549019, + 0.14727272727272728, + 0.03098484848484847, + -0.0936210847975554, + 0.05818104188357353, + 0.011833333333333335, + 0.06074591149591147, + 0.036363636363636355, + 0.07637310606060606, + 0.12294372294372295, + 0.10574216871091872, + -0.007363459391761272, + 0.13636363636363635, + 0.04545454545454545, + 0.0333068783068783, + 0.02621212121212122, + 0.08219148001756696, + 0.18353174603174602, + 0.0864903389293633, + 0.12857142857142853, + 0.22980952380952382, + 0.1018547544409614, + 0.13999999999999999, + 0.10356134324612586, + 0.1898989898989899, + -0.01742424242424243, + 0.04545454545454545, + -0.01749639249639251, + -0.11249999999999999, + -0.00019240019240018835, + 0.0963110269360269, + 0.05281385281385282, + 0.23888888888888885, + -0.11306926406926408, + 0.06459740259740258, + 0.04622727272727273, + 0.10598006644518274, + 0.02072189284145806, + 0.29125874125874124, + 0.31875000000000003, + 0.08660468319559228, + -0.05277777777777778, + 0.21250000000000002, + 0.10861865407319954, + 0.13055555555555556, + 0.003539944903581255, + 0.13055555555555556, + 0.07756410256410257, + 0.1077777777777778, + 0.14727272727272728, + 0.08711038961038962, + 0.09782608695652174, + 0.049926536212663374, + 0.07497594997594996, + 0.10666666666666666, + 0.08397435897435898, + -0.25, + 0.020448179271708684, + 0.20714285714285713, + 0.10096379997954803, + 0.15870129870129868, + -0.03272727272727273, + 0.1451683064410337, + 0.08333333333333334, + 0.08340651412079986, + 0.07484408247120114, + 0.0818858225108225, + 0.18642424242424244, + 0.028703703703703703, + -0.008633761502613963, + 0.21471861471861473, + 0.04635416666666666, + 0.08993335096276277, + -0.2, + 0.031955922865013774, + 0.20952380952380953, + 0.035897435897435895, + 0.0366505968778696, + 0.11136363636363637, + 0.038279736136878996, + 0.07013888888888889, + 0.1712576503955815, + 0.14329545454545456, + 0.06254095004095003, + 0.17307692307692307, + 0.09233511586452763, + 0.11744791666666667, + 0.1020671098448876, + 0.06686147186147187, + 0.31875000000000003, + 0.1784749670619236, + -0.029918981481481494, + 0.06189674523007856, + 0.15037337662337663, + -0.06607142857142857, + 0.13007866117622213, + 0.07781385281385282, + 0.012301587301587306, + 0.17264957264957262, + 0.11991883116883115, + -0.037542306178669806, + 0.17064306661080852, + 0.08726422740121369, + 0.10150613275613275, + -0.075, + 0.047619541277436006, + 0.34444444444444444, + 0.2785714285714286, + 0.08976666666666666, + 0.08754741290455577, + -0.009383753501400572, + 0.05443264947612773, + 0.06853273518596098, + 0.18095238095238095, + 0.18416305916305917, + 0.024285714285714282, + 0.1962962962962963, + 0.03618793161203875, + 0.05832848484848486, + 0.2844666666666667, + -0.14772727272727273, + -0.06000000000000001, + 0.17169913419913424, + -0.02100033952975128, + 0.20113636363636364, + 0.07899292065958735, + 0.16526747062461347, + 0.17916666666666667, + 0.10753289614675753, + -0.02745825602968461, + 0.12027103331451158, + 0.55, + -0.05277777777777778, + 0.07404994062290714, + 0.05270634920634922, + 0.052146464646464656, + 0.07804199858994376, + -0.026470588235294107, + 0.0410693291226078, + 0.08858668733668736, + 0.09267161410018554, + 0.21666666666666667, + 0.08153846153846155, + 0.13008563074352547, + -0.06632996632996632, + 0.09215976731601733, + 0.02834982477839621, + 0.028434704184704195, + 0.29103641456582635, + 0.015384615384615385, + 0.07563778409090904, + 0.05595238095238094, + 0.16436507936507938, + 0.07857142857142858, + -0.003976697061803446, + 0.18798791486291486, + 0.21875, + 0.18095238095238095, + 0.16013622974963176, + 0.07103379123064166, + 0.240625, + 0.0910748106060606, + -0.10952380952380951, + 0.09011742424242426, + 0.014434523809523814, + -0.0875, + 0.2727272727272727, + 0.11167328042328044, + -0.06038961038961039, + 0.09142857142857143, + 0.03571428571428571, + 0.0438690476190476, + 0.05877461248428989, + 0.1476190476190476, + -0.075, + 0.23805114638447972, + 0.07222222222222223, + -0.23333333333333328, + -0.0432983193277311, + 0.07207792207792209, + 0.25, + 0.066998258857763, + 0.03460638127304793, + 0.14357142857142857, + 0.05333333333333333, + 0.13075396825396823, + 0.1028210678210678, + -0.011946166207529847, + 0.11215365765670643, + 0.14518003697691204, + 0.15757575757575756, + 0.16805555555555554, + 0.09931372549019607, + -0.05539867109634551, + 0.039719714567275535, + 0.1258793428793429, + 0.07159373586612393, + 0.07630758130758131, + 0.10351769245247504, + 0.11019988242210464, + 0.3277777777777778, + 0.09209436396936398, + 0.0887897967011891, + 0.06333333333333332, + -0.005795870795870796, + 0.1106060606060606, + 0.08009959579561853, + 0.20714285714285713, + 0.05496031746031745, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + 0.3277777777777778, + 0.16402278599953019, + 0.10677747329123474, + -0.007499999999999974, + 0.012301587301587306, + -0.058333333333333334, + -0.14166666666666666, + 0.0640873015873016, + 0.046916666666666676, + -0.11458333333333333, + 0.29166666666666663, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + -0.042350596557913636, + 0.09335730724971227, + 0.10979997014479773, + 0.06592764378478663, + -0.0947089947089947, + -0.041666666666666664, + 0.08333333333333331, + 0.018046536796536804, + 0.005397727272727264, + 0.07464321392892824, + 0.027407647907647905, + 0.04264696656001003, + -0.15870490620490624, + 0.0991494334445154, + 0.04460784313725491, + 0.14753659039373326, + 0.14583333333333334, + 0.12172689461459513, + 0.09780474155474154, + 0.2772847522847523, + 0.05710784313725491, + -0.04444444444444443, + 0.022668141037706247, + 0.2567254174397031, + 0.09568043068043068, + 0.11657249838284317, + 0.009313725490196077, + 0.12234657602376045, + 0.13158899923605805, + 0.08716645021645018, + 0.25, + 0.03612231739891315, + 0.10555833055833053, + -0.25, + 0.12284090909090907, + 0.3666666666666667, + 0.10844444444444444, + 0.07357282502443796, + 0.16204545454545455, + 0.12380952380952381, + 0.275, + 0.18958333333333333, + 0.09440277777777778, + -0.040142857142857126, + 0.07888337153043035, + 0.09559523809523808, + 0.12500676406926406, + 0.04736842105263159, + -0.010806277056277059, + 0.10377056277056276, + 0.0675736961451247, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635, + 0.17272727272727273, + 0.021666666666666657, + -0.018124999999999995, + 0.10238095238095239, + 0.0690873015873016, + 0.08450937950937948 + ], + "xaxis": "x", + "y": [ + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE", + "TRUE" + ], + "yaxis": "y2" + }, + { + "legendgroup": "FAKE", + "marker": { + "color": "rgb(0, 200, 200)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "FAKE", + "showlegend": false, + "type": "scatter", + "x": [ + 0.15550364269876468, + 0.12175403384494296, + 0.10549628942486089, + -0.051219557086904045, + 0.03872164017122002, + 0.05076923076923076, + 0.08547815820543092, + 0.19795918367346937, + 0, + 0.12757892513990077, + 0.02243867243867244, + -0.15, + 0.06166666666666668, + 0.25, + 0.16547619047619047, + 0.09166666666666667, + 0.08333333333333333, + 0, + 0, + -0.02033730158730164, + 0.1285714285714286, + 0.4, + 0.25284090909090906, + 0.05568181818181818, + 0.06101174560733384, + 0.14114583333333333, + 0.033415584415584426, + 0.07520870795870796, + 0.036286395703062364, + 0.04375, + 0.17387755102040817, + -0.05500000000000001, + 0.04732995718050066, + 0.2447222222222222, + 0.22782446311858073, + 0.18454545454545454, + 0.06214985994397759, + 0.09587831733483905, + 0.13333333333333333, + 0.07638054568382437, + 0.07736415882967608, + 0.10405032467532464, + 0.08750000000000001, + 0.16, + 0.003053410553410541, + 0, + 0.15, + 0, + 0.05401550490326001, + 0.03333333333333333, + 0.10135918003565066, + 0.205, + 0.20909090909090908, + 0.06153982317117913, + 0.16, + 0.26666666666666666, + 0.04916185666185665, + 0.06105471795126968, + 0.055528198653198656, + -0.1642857142857143, + 0.06511985746679624, + 0, + 0.04255686610759073, + -0.031221303948576674, + 0.11016483516483515, + 0.038975869809203145, + 0, + 0.09365390382365692, + 0.03153001534330649, + 0.11390485652780734, + 0.275, + -0.005050505050505053, + 0.6, + -0.05, + 0.06294765840220384, + 0.06481191222570534, + 0.12990219656886326, + 0.08274306475837086, + 0.10619834710743802, + 0.06342150450229053, + 0.08910694959802103, + -0.003333333333333326, + -0.30340909090909096, + 0.1585763888888889, + 0.01363636363636364, + 0.13181818181818183, + 0.005116789685135007, + -0.2, + 0.4, + -0.3, + 0.10108784893267651, + 0.03383291545056253, + 0.1549175824175824, + 0.061373900824450295, + 0.26776094276094276, + 0.11085858585858586, + 0.14067307692307693, + 0.00381821461366916, + 0.11144234553325463, + 0.11016483516483515, + 0.06439393939393939, + 0.09166666666666667, + 0.03880022144173086, + -0.0011246636246636304, + -0.05, + 0.058333333333333334, + 0.6, + 0.11041666666666668, + 0, + 0.04999999999999999, + -0.19396825396825398, + 0.036031100330711226, + 0, + 0.12223707664884136, + 0.09437240936147184, + -0.21600000000000003, + 0.11390485652780734, + 0.011515827922077919, + 0.15181824924815582, + 0.172, + -0.1, + 0.2, + 0.125, + -0.02051282051282051, + 0.15739204410846205, + 0.03921911421911422, + 0.15353171466214946, + 0.13460412953060014, + 0.03586192613970391, + 0.08714285714285715, + 0.08780414987311538, + 0.05172573189522343, + 0.03432958410636981, + 0.0342784992784993, + 0.03199855699855699, + 0.023232323232323233, + 0.04947858107956631, + 0.10067567567567567, + -0.03333333333333333, + 0.2, + 0.05925925925925926, + 0.14862391774891778, + 0.019047619047619053, + 0, + 0.06980027548209365, + -0.15454545454545454, + 0.14879040404040406, + 0.06041666666666667, + 0.058711080586080586, + 0.16999999999999998, + 0, + 0.020343137254901965, + 0.15029761904761904, + 0.20909090909090908, + 0.015731430962200185, + 0.15297093382807667, + 0.08720582447855173, + 0.03355593752652577, + -0.012582345191040843, + 0.43333333333333335, + 0.08478617342253707, + -0.08833333333333335, + 0.014306239737274216, + -0.05, + 0.05644103371376098, + 0.128125, + 0.05975379585999057, + 0.022969209469209464, + 0.16969696969696968, + 0.05718822423367879, + 0.0740967365967366, + 0.18447023809523808, + 0.13333333333333333, + 0, + 0.18260752164502164, + -0.6, + 0.16451149425287356, + 0.07985466914038343, + -0.2, + 0.19999999999999998, + 0.0892360062418202, + 0.058333333333333334, + 0, + -0.125, + 0.13516808712121214, + 0.19999999999999998, + 0.25, + 0.06702557858807862, + 0.058711080586080586, + 0.16818181818181818, + 0.045085520540066024, + 0.13382594417077176, + 0.01115801758747303, + 0.026164596273291933, + 0.1886904761904762, + 0.12287272727272724, + 0.039315388912163116, + 0.12349468713105076, + 0.030865581278624765, + 0.08383116883116883, + 0, + 0.013825757575757571, + 0, + 0.0031301406926407017, + 0.125, + 0.07601711979327043, + 0.11510645475923251, + 0.13433303624480095, + 0.08854166666666666, + 0.07333333333333333, + 0.5, + 0.25, + 0.07337475077933091, + 0.06358907731567831, + -0.11000000000000001, + 0, + 0.08200528007346189, + 0.07181868519077819, + 0.09333333333333334, + -0.2, + 0.02030973721114566, + 0.0031243596953566747, + -0.02187499999999999, + 0.08117424242424243, + 0.13681818181818184, + 0.1285374149659864, + 0.0017189586114819736, + 0.2, + 0.096086860670194, + 0.02535866910866911, + 0, + 0.1266233766233766, + 0.030289502164502165, + 0.02175925925925925, + 0.16, + 0.13712121212121212, + 0.0578336940836941, + 0.11654761904761907, + 0.07067497403946, + -0.05, + 0.09464371572871574, + 0.13148148148148148, + 0.05724227100333295, + 0.09606481481481483, + 0.3666666666666667, + 0, + 0.05917504605544954, + 0.13596666666666668, + 0.04515941265941269, + 0.06330749354005168, + 0.11224927849927852, + 0.06091580254370953, + 0.08664111498257838, + 0, + 0.2833333333333333, + -0.02532184591008121, + 0.10152538572538573, + -0.14, + 0.11236772486772487, + 0.14125000000000001, + 0.06999999999999999, + -0.10119047619047619, + 0, + 0.03522046681840496, + 0.09809059987631415, + 0.0330726572925821, + 0.09722222222222221, + 0.11941334527541424, + 0.075, + 0.05644103371376098, + -0.15, + 0.054403778040141695, + 0, + -0.012582345191040843, + 0, + 0.21666666666666665, + 0.06619923098581638, + -0.125, + 0.04333133672756314, + 0.10609696969696969, + -0.005891555701682287, + 0.2, + 0.09393939393939393, + 0.17203849807887076, + 0.15297093382807667, + 0.21428571428571427, + 0.03399852180339985, + 0.024621212121212117, + -0.03440491588357442, + 0.048507647907647916, + 0.05662029125844915, + 0.13705510992275702, + 0.0046666666666666705, + 0.0013736263736263687, + 0, + 0, + 0.09555194805194804, + 0.07500000000000001, + 0, + 0.09355838605838604, + 0.08784786641929498, + 0.026760714918609648, + -0.15972222222222224, + 0.06080722187865045, + -0.07261904761904761, + 0.041118540850683706, + 0.09313429324298891, + 0.07503915461232535, + 0.1285714285714286, + -0.13333333333333333, + 0.029178503787878785, + 0.21815398886827456, + 0.07247402597402594, + 0.014680407975862522, + -0.03207780379911525, + 0.06888542121100262, + 0.09279191790352505, + 0.014918630751964083, + 0.04117378605330413, + 0, + 0.07208118600975744, + 0.039151903185516625, + 0.1, + 0.08888180749291859, + 0.06677764659582841, + 0.10402597402597402, + -0.0625, + 0.05583333333333333, + 0.040833333333333346, + 0.05567567567567566, + 0.048088561521397344, + 0.09923160173160171, + 0.015404040404040411, + 0, + 0.04572285353535354, + 0.125323762697935, + 0.04583333333333334, + 0.08319701132201131, + 0.005010521885521885, + 0.028888888888888898, + 0.09659090909090909, + 0.3666666666666667, + -0.13333333333333333, + 0.12468412942989214, + 0.6, + 0.03703703703703703, + 0.10384615384615385, + 0.11313035066199618, + 0.10711364740701475, + 0.002996710221480863, + 0.16399055489964584, + 0.10191964285714285, + -0.3, + 0.07989799472558094, + 0.08166234277936399, + 0.22255892255892254, + 0.10527985482530941, + 0.08332437275985663, + 0.1361548174048174, + 0.01666666666666668, + 0.006249999999999996, + 0.050451207391041426, + 0.08996003996003994, + 0.09771533881382363, + 0.15416666666666665, + 0.13433303624480095, + -0.03018207282913165, + 0.01762876719883091, + 0.02386177041349455, + 0, + 0.015824915824915825, + 0.15165289256198347, + 0.6, + -0.16666666666666666, + 0.014680407975862522, + 0, + 0.09518939393939392, + 0.026412579957356082, + -0.146875, + 0.11016483516483515, + 0.1663328598484848, + 0.05500000000000001, + 0.08105579605579605, + 0.026161616161616153, + 0.15995370370370368, + 0.35, + 0.1961038961038961, + 0.06004117208955919, + 0.001190476190476189, + 0.05967384887839434, + 0.06905766526019691, + 0.019427768248522964, + -0.05714285714285715, + 0.025, + 0.11352080620373302, + 0.12468412942989214, + -0.125, + 0.024218750000000015, + 0.10693995274877625, + 0.01211490204710543, + 0.07857142857142858, + 0.058711080586080586, + 0.05476317799847212, + 0.12647876945749284, + 0.09545329670329673, + 0.11658200861069715, + 0.014600766797736496, + -0.07999999999999999, + -0.06420454545454544, + 0.10334896584896587, + 0.03515757724520612, + 0.04202178030303029, + 0.058711080586080586, + 0.06050012862335138, + -0.010020941118502097, + 0.06641873278236914, + -0.125, + 0.07845255342267296, + -0.2833333333333333, + 0.0583912037037037, + -0.028619528619528625, + 0.002083333333333333, + 0, + 0.1392857142857143, + 0.13637057005176276, + 0.0117283950617284, + 0.041219336219336225, + -0.13999999999999999, + 0.050432900432900434, + 0.1, + -0.019999999999999997, + 0.04386297229580813, + 0.05056236791530912, + 0.04987236355194104, + 0, + 0.02535866910866911, + 0.09375, + 0.15550364269876468, + 0.07681523022432114, + 0, + 0.08332437275985663, + 0.02716269841269842, + 0.55, + -0.031221303948576674, + 0.33, + 0.16666666666666669, + 0.030289502164502165, + 0.06355661881977673, + 0.25, + 0.26012987012987016, + 0.03329696179011247, + 0.03367765894236483, + 0.1672317156527683, + 0.13791043631623343, + 0.08664111498257838, + 0.09999999999999999, + 0.28271604938271605, + 0.058711080586080586, + 0.12337588126159557, + 0.0575995461865027, + 0.06825087610801896, + 0.6000000000000001, + 0.1642857142857143, + 0.019999999999999997, + 0.0892338669082855, + 0.12257921476671481, + 0, + 0, + -0.017020202020202026, + -0.009104278074866315, + 0.038933566433566436, + 0.05815685876623378, + 0.09429824561403508, + 0.12444939081537022, + 0.05, + 0.06275641025641025, + 0.6, + 0.1243071236412945, + 0.11016483516483515, + 0.03023729357062691, + 0.04434624017957352, + 0.1475283446712018, + 0.10224955179500639, + 0.0793831168831169, + 0.05644103371376098, + 0.5, + -0.04833333333333333, + 0.1103896103896104, + 0.03267156862745097, + 0.09198165206886136, + 0.24330143540669857, + 0.0496414617876882, + 0.06666666666666667, + 0.03333333333333333, + 0.058711080586080586, + 0.09659090909090909, + 0.13433303624480095, + 0.3499999999999999, + 0.11666666666666665, + 0.05219036722085503, + 0.15142857142857144, + 0.171875, + 0.0026943498788158894, + 0.171875, + 0.15416666666666667, + 0.08332437275985663, + 0.16116038201564525, + -0.060606060606060615, + 0.08, + 0.031517556517556514, + 0.16818181818181818, + 0, + -0.030046296296296304, + 0.035752171466457185, + 0.2, + -0.05000000000000001, + 0.09464285714285715, + -0.175, + 0.09281305114638445, + 0.027083333333333327, + 0.1877181337181337, + 0.07342891797616208, + -0.0625, + -0.1, + 0.05265002581516343, + 0.12619047619047621, + 0.07526054523988408, + 0, + 0.08321104632329118, + 0.08727272727272728, + 0.05046034322820036, + 0.07896614739680433, + 0.08420443650309418, + 0.013734862293474733, + 0.011111111111111112, + 0.2447222222222222, + 0.08332437275985663, + 0.04577922077922078, + 0.07034090909090909, + -0.005487391193036351, + -0.006815708101422388, + -0.03433583959899749, + 0.20260942760942757, + 0.13163809523809522, + 0.07787707390648568, + 0.12647876945749284, + 0.7, + 0.06117424242424242, + 0.09125000000000001, + 0.04559228650137742, + 0.04481046992839448, + 0.17760496671786996, + 0.05058941432259817, + 0.205, + 0.028952991452991447, + 0.002465367965367964, + 0.1608180506362325, + 0.0363234703440889, + -0.02187499999999999, + 0.03880022144173086, + 0.06355661881977673, + 0.16547619047619047, + 0.12004310661090324, + 0.08930373944928742, + -0.028698206555349413, + 0.10244898922469015, + -0.025, + 0.08784786641929498, + 0.07202797202797204, + 0.029382650395581435, + 0.058333333333333334, + 0.047222222222222214, + 0.16666666666666666, + -0.007575757575757576, + 0.2447222222222222, + 0.09401098901098903, + 0.26, + 0.06701038159371493 + ], + "xaxis": "x", + "y": [ + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE", + "FAKE" + ], + "yaxis": "y2" + } + ], + "layout": { + "barmode": "overlay", + "hovermode": "closest", + "legend": { + "traceorder": "reversed" + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "polarity" + }, + "xaxis": { + "anchor": "y2", + "domain": [ + 0, + 1 + ], + "zeroline": false + }, + "yaxis": { + "anchor": "free", + "domain": [ + 0.35, + 1 + ], + "position": 0 + }, + "yaxis2": { + "anchor": "x", + "domain": [ + 0, + 0.25 + ], + "dtick": 1, + "showticklabels": false + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "x1 = df.loc[df['label']=='TRUE']['polarity']\n", + "x2 = df.loc[df['label'] == 'FAKE']['polarity']\n", + "\n", + "group_labels = ['TRUE', 'FAKE']\n", + "\n", + "colors = ['rgb(0, 0, 100)', 'rgb(0, 200, 200)']\n", + "\n", + "fig = ff.create_distplot(\n", + " [x1, x2], group_labels,colors=colors)\n", + "\n", + "fig.update_layout(title_text='polarity', template=\"plotly_white\")\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 59, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=TRUE
polarity=%{y}", + "legendgroup": "TRUE", + "marker": { + "color": "#636efa" + }, + "name": "TRUE", + "offsetgroup": "TRUE", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 0.04899515993265993, + -0.05, + 0.1396031746031746, + -0.3, + 0.01372474747474745, + 0.23888888888888885, + 0.09870394593416179, + 0.1301851851851852, + -0.11458333333333333, + 0.12284090909090907, + 0.08952516594516598, + -0.0011904761904761862, + 0.10047225501770955, + 0.19999999999999998, + 0.08977272727272727, + -0.03371782610154703, + 0.24090909090909093, + 0.06298779722692767, + 0.06712962962962962, + 0.0536096256684492, + 0.10512613822958654, + 0.08066239316239317, + 0.16583333333333333, + 0.12272727272727273, + 0.13055555555555556, + -0.010416666666666661, + 0.007142857142857145, + -0.07499999999999998, + 0.16100844644077736, + 0.04848484848484847, + 0.03798400673400674, + 0.1, + 0.22727272727272724, + 0.12637405471430369, + 0.07107843137254902, + 0.11281249999999995, + 0.014357142857142855, + 0.10633625410733845, + 0.15909090909090906, + 0.09138367805034472, + 0.009727082631274246, + 0.08232380672940122, + 0.11831460206460206, + 0.14114420062695923, + 0.0967444284110951, + 0.10259105628670848, + 0.07032081686429513, + 0.018213649096002035, + 0.10485355485355483, + 0.08330864980024645, + 0.085, + 0.16436507936507938, + 0, + 0.09722222222222222, + 0.26666666666666666, + 0.15454545454545454, + 0.04545454545454545, + 0.10676748176748178, + 0.04888888888888888, + -0.041666666666666664, + 0.1875172532781229, + 0.19523858717040535, + 0.07178631553631552, + -0.075, + 0.22787878787878793, + 0.03731294710018114, + 0.025708616780045344, + 0.059555555555555556, + 0.011833333333333335, + 0.1036730945821855, + 0.035897435897435895, + 0.08785921325051763, + -0.6, + 0.0205011655011655, + -0.024001924001924, + 0.07928841991341992, + 0.5, + 0.03, + 0.10641878954378953, + 0.07530078563411897, + 0.057368441251419995, + 0.15119047619047618, + 0.13522830344258918, + 0.07814715942493718, + 0.08370845986517628, + 0.11388888888888889, + 0.17954545454545456, + 0.0217389845296822, + 0.18863636363636363, + 0.041797637390857734, + 0.05494181143531794, + 0.1124557143374348, + 0.10676748176748178, + 0.13055555555555556, + 0.01325757575757576, + 0.010291005291005293, + 0.25, + 0.07013539651837523, + 0.15400724275724278, + 0.1645021645021645, + 0.12273232323232328, + 0.25, + 0.09391304347826088, + 0.125, + 0.09905753968253968, + 0.13189484126984122, + 0.025595238095238088, + 0.07115458381281166, + 0.08208333333333331, + 0.0376082251082251, + 0.14760251653108794, + 0.05000000000000001, + 0.45555555555555555, + 0.15277777777777776, + -0.2, + 0.007024793388429759, + -0.00019240019240018835, + -0.12993197278911564, + 0.008436639118457299, + -0.012878787878787873, + 0.12956709956709958, + 0.23958333333333331, + 0.09963698675062314, + 0.0031250000000000097, + 0.1374362087776722, + 0.21212121212121213, + -0.08357082732082731, + -0.125, + 0.17798996458087368, + 0.023068735242030694, + 0.05904128787878791, + 0.05672908741090559, + 0.1053469387755102, + 0.07142857142857142, + 0.1388888888888889, + 0.11527890783914883, + 0.12090067340067338, + 0.04256012506012507, + 0.0571650951787938, + 0.4035714285714285, + 0.13643939393939392, + 0.16654135338345863, + -0.010121951219512199, + 0.22787878787878793, + 0.0009618506493506484, + 0.15535714285714283, + 0.1977961432506887, + 0.06587301587301587, + 0.10833333333333334, + -0.05205441189047746, + 0.10818181818181818, + -0.19088203463203463, + 0.04991718991718992, + 0.10835497835497836, + 0.05303030303030303, + 0.1476190476190476, + 0.05851851851851851, + -0.3, + 0.21212121212121213, + 0.16074016563147, + 0.11770833333333333, + 0.07391774891774892, + 0.24625850340136052, + 0, + 0.07943722943722943, + 0.04261382623224729, + 0.32500000000000007, + 0.06245967741935485, + 0.005204942736588304, + 0.10583333333333333, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.15795088920088918, + 0.06957070707070707, + 0.04189655172413794, + 0.022199921290830385, + 0.04081632653061224, + 0.08660468319559228, + -0.3, + 0.019269896769896766, + 0.2, + 0.05078124999999999, + 0.13025210084033612, + 0.06875, + 0.12619047619047616, + 0.07897435897435898, + 0.09139438603724317, + -0.00881032547699215, + 0.17841478696741853, + 0.0872885222885223, + 0.25999999999999995, + 0.09969209469209472, + 0.1502754820936639, + 0.08105423987776927, + 0.09083177911241154, + 0.11431373157807583, + 0.07291666666666669, + 0.05238095238095238, + 0.06633544749823819, + -0.12071428571428573, + -0.007384772090654448, + -0.1, + 0.005333333333333328, + 0.06781849103277673, + 0.12760416666666669, + 0.13327552420145022, + 0.3477272727272727, + 0.07173184024423694, + 0.15288461538461537, + 0.06564818300325546, + -0.13095238095238096, + 0.005397727272727264, + 0.09287546561965167, + 0.16402597402597402, + 0.09697014790764792, + 0.041373706004140795, + 0.015367965367965364, + 0.049743431855500814, + 0.10640462374504926, + -0.006481481481481484, + -0.15999999999999998, + 0.11864058258126063, + 0.08737845418470418, + 0.19318181818181818, + 0.22198773448773448, + 0.20714285714285713, + 0.2625, + 0.1502754820936639, + 0.03970418470418469, + 0.22252121212121218, + 0.04047619047619048, + 0.08130335415846777, + 0.008888888888888892, + 0.1241732804232804, + 0.05178236446093589, + 0.1717532467532468, + 0.1902058421376603, + 0.04448907335505272, + 0.027304217521608828, + 0.054166666666666675, + 0.3277777777777778, + 0.018499478916145576, + 0.011833333333333335, + 0.0649891774891775, + 0.031250000000000014, + -0.075, + 0.14241478011969813, + 0.08639447267708139, + 0.14666666666666667, + 0.07054347826086955, + 0.028433892496392485, + 0.08443276752487282, + 0.31375000000000003, + 0.11499999999999999, + 0.225, + 0.06670983778126635, + 0.028571428571428564, + 0.04052553229083844, + 0.06501541387905022, + 0.12851027940313658, + 0.06195628646715604, + 0.04635416666666666, + 0.07488026410723778, + 0.09333333333333332, + 0.04622727272727273, + 0.03333333333333333, + 0.22348484848484845, + 0.22727272727272724, + 0.34444444444444444, + 0.12037037037037036, + 0.15093178327049298, + 0.17229437229437225, + 0.08977272727272727, + 0.103494623655914, + 0.03648730411888306, + -0.11666293476638308, + 0.21114718614718614, + 0.12887595163457227, + 0.03928571428571428, + 0.07924071542492594, + 0.1886977886977887, + 0.05548951048951049, + 0.20833333333333331, + 0.0910017953622605, + 0.06818181818181818, + -0.01602564102564102, + -0.018518518518518517, + -0.06622435535479013, + 0.084258196583778, + 0.04145502645502646, + -0.014285714285714282, + -0.08147727272727272, + 0.07832405689548547, + 0.02853174603174602, + 0.028571428571428557, + 0.15239393939393941, + 0.3052631578947368, + 0.027970521541950115, + 0.06078431372549019, + 0.14727272727272728, + 0.03098484848484847, + -0.0936210847975554, + 0.05818104188357353, + 0.011833333333333335, + 0.06074591149591147, + 0.036363636363636355, + 0.07637310606060606, + 0.12294372294372295, + 0.10574216871091872, + -0.007363459391761272, + 0.13636363636363635, + 0.04545454545454545, + 0.0333068783068783, + 0.02621212121212122, + 0.08219148001756696, + 0.18353174603174602, + 0.0864903389293633, + 0.12857142857142853, + 0.22980952380952382, + 0.1018547544409614, + 0.13999999999999999, + 0.10356134324612586, + 0.1898989898989899, + -0.01742424242424243, + 0.04545454545454545, + -0.01749639249639251, + -0.11249999999999999, + -0.00019240019240018835, + 0.0963110269360269, + 0.05281385281385282, + 0.23888888888888885, + -0.11306926406926408, + 0.06459740259740258, + 0.04622727272727273, + 0.10598006644518274, + 0.02072189284145806, + 0.29125874125874124, + 0.31875000000000003, + 0.08660468319559228, + -0.05277777777777778, + 0.21250000000000002, + 0.10861865407319954, + 0.13055555555555556, + 0.003539944903581255, + 0.13055555555555556, + 0.07756410256410257, + 0.1077777777777778, + 0.14727272727272728, + 0.08711038961038962, + 0.09782608695652174, + 0.049926536212663374, + 0.07497594997594996, + 0.10666666666666666, + 0.08397435897435898, + -0.25, + 0.020448179271708684, + 0.20714285714285713, + 0.10096379997954803, + 0.15870129870129868, + -0.03272727272727273, + 0.1451683064410337, + 0.08333333333333334, + 0.08340651412079986, + 0.07484408247120114, + 0.0818858225108225, + 0.18642424242424244, + 0.028703703703703703, + -0.008633761502613963, + 0.21471861471861473, + 0.04635416666666666, + 0.08993335096276277, + -0.2, + 0.031955922865013774, + 0.20952380952380953, + 0.035897435897435895, + 0.0366505968778696, + 0.11136363636363637, + 0.038279736136878996, + 0.07013888888888889, + 0.1712576503955815, + 0.14329545454545456, + 0.06254095004095003, + 0.17307692307692307, + 0.09233511586452763, + 0.11744791666666667, + 0.1020671098448876, + 0.06686147186147187, + 0.31875000000000003, + 0.1784749670619236, + -0.029918981481481494, + 0.06189674523007856, + 0.15037337662337663, + -0.06607142857142857, + 0.13007866117622213, + 0.07781385281385282, + 0.012301587301587306, + 0.17264957264957262, + 0.11991883116883115, + -0.037542306178669806, + 0.17064306661080852, + 0.08726422740121369, + 0.10150613275613275, + -0.075, + 0.047619541277436006, + 0.34444444444444444, + 0.2785714285714286, + 0.08976666666666666, + 0.08754741290455577, + -0.009383753501400572, + 0.05443264947612773, + 0.06853273518596098, + 0.18095238095238095, + 0.18416305916305917, + 0.024285714285714282, + 0.1962962962962963, + 0.03618793161203875, + 0.05832848484848486, + 0.2844666666666667, + -0.14772727272727273, + -0.06000000000000001, + 0.17169913419913424, + -0.02100033952975128, + 0.20113636363636364, + 0.07899292065958735, + 0.16526747062461347, + 0.17916666666666667, + 0.10753289614675753, + -0.02745825602968461, + 0.12027103331451158, + 0.55, + -0.05277777777777778, + 0.07404994062290714, + 0.05270634920634922, + 0.052146464646464656, + 0.07804199858994376, + -0.026470588235294107, + 0.0410693291226078, + 0.08858668733668736, + 0.09267161410018554, + 0.21666666666666667, + 0.08153846153846155, + 0.13008563074352547, + -0.06632996632996632, + 0.09215976731601733, + 0.02834982477839621, + 0.028434704184704195, + 0.29103641456582635, + 0.015384615384615385, + 0.07563778409090904, + 0.05595238095238094, + 0.16436507936507938, + 0.07857142857142858, + -0.003976697061803446, + 0.18798791486291486, + 0.21875, + 0.18095238095238095, + 0.16013622974963176, + 0.07103379123064166, + 0.240625, + 0.0910748106060606, + -0.10952380952380951, + 0.09011742424242426, + 0.014434523809523814, + -0.0875, + 0.2727272727272727, + 0.11167328042328044, + -0.06038961038961039, + 0.09142857142857143, + 0.03571428571428571, + 0.0438690476190476, + 0.05877461248428989, + 0.1476190476190476, + -0.075, + 0.23805114638447972, + 0.07222222222222223, + -0.23333333333333328, + -0.0432983193277311, + 0.07207792207792209, + 0.25, + 0.066998258857763, + 0.03460638127304793, + 0.14357142857142857, + 0.05333333333333333, + 0.13075396825396823, + 0.1028210678210678, + -0.011946166207529847, + 0.11215365765670643, + 0.14518003697691204, + 0.15757575757575756, + 0.16805555555555554, + 0.09931372549019607, + -0.05539867109634551, + 0.039719714567275535, + 0.1258793428793429, + 0.07159373586612393, + 0.07630758130758131, + 0.10351769245247504, + 0.11019988242210464, + 0.3277777777777778, + 0.09209436396936398, + 0.0887897967011891, + 0.06333333333333332, + -0.005795870795870796, + 0.1106060606060606, + 0.08009959579561853, + 0.20714285714285713, + 0.05496031746031745, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + 0.3277777777777778, + 0.16402278599953019, + 0.10677747329123474, + -0.007499999999999974, + 0.012301587301587306, + -0.058333333333333334, + -0.14166666666666666, + 0.0640873015873016, + 0.046916666666666676, + -0.11458333333333333, + 0.29166666666666663, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + -0.042350596557913636, + 0.09335730724971227, + 0.10979997014479773, + 0.06592764378478663, + -0.0947089947089947, + -0.041666666666666664, + 0.08333333333333331, + 0.018046536796536804, + 0.005397727272727264, + 0.07464321392892824, + 0.027407647907647905, + 0.04264696656001003, + -0.15870490620490624, + 0.0991494334445154, + 0.04460784313725491, + 0.14753659039373326, + 0.14583333333333334, + 0.12172689461459513, + 0.09780474155474154, + 0.2772847522847523, + 0.05710784313725491, + -0.04444444444444443, + 0.022668141037706247, + 0.2567254174397031, + 0.09568043068043068, + 0.11657249838284317, + 0.009313725490196077, + 0.12234657602376045, + 0.13158899923605805, + 0.08716645021645018, + 0.25, + 0.03612231739891315, + 0.10555833055833053, + -0.25, + 0.12284090909090907, + 0.3666666666666667, + 0.10844444444444444, + 0.07357282502443796, + 0.16204545454545455, + 0.12380952380952381, + 0.275, + 0.18958333333333333, + 0.09440277777777778, + -0.040142857142857126, + 0.07888337153043035, + 0.09559523809523808, + 0.12500676406926406, + 0.04736842105263159, + -0.010806277056277059, + 0.10377056277056276, + 0.0675736961451247, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635, + 0.17272727272727273, + 0.021666666666666657, + -0.018124999999999995, + 0.10238095238095239, + 0.0690873015873016, + 0.08450937950937948 + ], + "y0": " ", + "yaxis": "y" + }, + { + "alignmentgroup": "True", + "box": { + "visible": false + }, + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=FAKE
polarity=%{y}", + "legendgroup": "FAKE", + "marker": { + "color": "#EF553B" + }, + "name": "FAKE", + "offsetgroup": "FAKE", + "orientation": "v", + "scalegroup": "True", + "showlegend": true, + "type": "violin", + "x0": " ", + "xaxis": "x", + "y": [ + 0.15550364269876468, + 0.12175403384494296, + 0.10549628942486089, + -0.051219557086904045, + 0.03872164017122002, + 0.05076923076923076, + 0.08547815820543092, + 0.19795918367346937, + 0, + 0.12757892513990077, + 0.02243867243867244, + -0.15, + 0.06166666666666668, + 0.25, + 0.16547619047619047, + 0.09166666666666667, + 0.08333333333333333, + 0, + 0, + -0.02033730158730164, + 0.1285714285714286, + 0.4, + 0.25284090909090906, + 0.05568181818181818, + 0.06101174560733384, + 0.14114583333333333, + 0.033415584415584426, + 0.07520870795870796, + 0.036286395703062364, + 0.04375, + 0.17387755102040817, + -0.05500000000000001, + 0.04732995718050066, + 0.2447222222222222, + 0.22782446311858073, + 0.18454545454545454, + 0.06214985994397759, + 0.09587831733483905, + 0.13333333333333333, + 0.07638054568382437, + 0.07736415882967608, + 0.10405032467532464, + 0.08750000000000001, + 0.16, + 0.003053410553410541, + 0, + 0.15, + 0, + 0.05401550490326001, + 0.03333333333333333, + 0.10135918003565066, + 0.205, + 0.20909090909090908, + 0.06153982317117913, + 0.16, + 0.26666666666666666, + 0.04916185666185665, + 0.06105471795126968, + 0.055528198653198656, + -0.1642857142857143, + 0.06511985746679624, + 0, + 0.04255686610759073, + -0.031221303948576674, + 0.11016483516483515, + 0.038975869809203145, + 0, + 0.09365390382365692, + 0.03153001534330649, + 0.11390485652780734, + 0.275, + -0.005050505050505053, + 0.6, + -0.05, + 0.06294765840220384, + 0.06481191222570534, + 0.12990219656886326, + 0.08274306475837086, + 0.10619834710743802, + 0.06342150450229053, + 0.08910694959802103, + -0.003333333333333326, + -0.30340909090909096, + 0.1585763888888889, + 0.01363636363636364, + 0.13181818181818183, + 0.005116789685135007, + -0.2, + 0.4, + -0.3, + 0.10108784893267651, + 0.03383291545056253, + 0.1549175824175824, + 0.061373900824450295, + 0.26776094276094276, + 0.11085858585858586, + 0.14067307692307693, + 0.00381821461366916, + 0.11144234553325463, + 0.11016483516483515, + 0.06439393939393939, + 0.09166666666666667, + 0.03880022144173086, + -0.0011246636246636304, + -0.05, + 0.058333333333333334, + 0.6, + 0.11041666666666668, + 0, + 0.04999999999999999, + -0.19396825396825398, + 0.036031100330711226, + 0, + 0.12223707664884136, + 0.09437240936147184, + -0.21600000000000003, + 0.11390485652780734, + 0.011515827922077919, + 0.15181824924815582, + 0.172, + -0.1, + 0.2, + 0.125, + -0.02051282051282051, + 0.15739204410846205, + 0.03921911421911422, + 0.15353171466214946, + 0.13460412953060014, + 0.03586192613970391, + 0.08714285714285715, + 0.08780414987311538, + 0.05172573189522343, + 0.03432958410636981, + 0.0342784992784993, + 0.03199855699855699, + 0.023232323232323233, + 0.04947858107956631, + 0.10067567567567567, + -0.03333333333333333, + 0.2, + 0.05925925925925926, + 0.14862391774891778, + 0.019047619047619053, + 0, + 0.06980027548209365, + -0.15454545454545454, + 0.14879040404040406, + 0.06041666666666667, + 0.058711080586080586, + 0.16999999999999998, + 0, + 0.020343137254901965, + 0.15029761904761904, + 0.20909090909090908, + 0.015731430962200185, + 0.15297093382807667, + 0.08720582447855173, + 0.03355593752652577, + -0.012582345191040843, + 0.43333333333333335, + 0.08478617342253707, + -0.08833333333333335, + 0.014306239737274216, + -0.05, + 0.05644103371376098, + 0.128125, + 0.05975379585999057, + 0.022969209469209464, + 0.16969696969696968, + 0.05718822423367879, + 0.0740967365967366, + 0.18447023809523808, + 0.13333333333333333, + 0, + 0.18260752164502164, + -0.6, + 0.16451149425287356, + 0.07985466914038343, + -0.2, + 0.19999999999999998, + 0.0892360062418202, + 0.058333333333333334, + 0, + -0.125, + 0.13516808712121214, + 0.19999999999999998, + 0.25, + 0.06702557858807862, + 0.058711080586080586, + 0.16818181818181818, + 0.045085520540066024, + 0.13382594417077176, + 0.01115801758747303, + 0.026164596273291933, + 0.1886904761904762, + 0.12287272727272724, + 0.039315388912163116, + 0.12349468713105076, + 0.030865581278624765, + 0.08383116883116883, + 0, + 0.013825757575757571, + 0, + 0.0031301406926407017, + 0.125, + 0.07601711979327043, + 0.11510645475923251, + 0.13433303624480095, + 0.08854166666666666, + 0.07333333333333333, + 0.5, + 0.25, + 0.07337475077933091, + 0.06358907731567831, + -0.11000000000000001, + 0, + 0.08200528007346189, + 0.07181868519077819, + 0.09333333333333334, + -0.2, + 0.02030973721114566, + 0.0031243596953566747, + -0.02187499999999999, + 0.08117424242424243, + 0.13681818181818184, + 0.1285374149659864, + 0.0017189586114819736, + 0.2, + 0.096086860670194, + 0.02535866910866911, + 0, + 0.1266233766233766, + 0.030289502164502165, + 0.02175925925925925, + 0.16, + 0.13712121212121212, + 0.0578336940836941, + 0.11654761904761907, + 0.07067497403946, + -0.05, + 0.09464371572871574, + 0.13148148148148148, + 0.05724227100333295, + 0.09606481481481483, + 0.3666666666666667, + 0, + 0.05917504605544954, + 0.13596666666666668, + 0.04515941265941269, + 0.06330749354005168, + 0.11224927849927852, + 0.06091580254370953, + 0.08664111498257838, + 0, + 0.2833333333333333, + -0.02532184591008121, + 0.10152538572538573, + -0.14, + 0.11236772486772487, + 0.14125000000000001, + 0.06999999999999999, + -0.10119047619047619, + 0, + 0.03522046681840496, + 0.09809059987631415, + 0.0330726572925821, + 0.09722222222222221, + 0.11941334527541424, + 0.075, + 0.05644103371376098, + -0.15, + 0.054403778040141695, + 0, + -0.012582345191040843, + 0, + 0.21666666666666665, + 0.06619923098581638, + -0.125, + 0.04333133672756314, + 0.10609696969696969, + -0.005891555701682287, + 0.2, + 0.09393939393939393, + 0.17203849807887076, + 0.15297093382807667, + 0.21428571428571427, + 0.03399852180339985, + 0.024621212121212117, + -0.03440491588357442, + 0.048507647907647916, + 0.05662029125844915, + 0.13705510992275702, + 0.0046666666666666705, + 0.0013736263736263687, + 0, + 0, + 0.09555194805194804, + 0.07500000000000001, + 0, + 0.09355838605838604, + 0.08784786641929498, + 0.026760714918609648, + -0.15972222222222224, + 0.06080722187865045, + -0.07261904761904761, + 0.041118540850683706, + 0.09313429324298891, + 0.07503915461232535, + 0.1285714285714286, + -0.13333333333333333, + 0.029178503787878785, + 0.21815398886827456, + 0.07247402597402594, + 0.014680407975862522, + -0.03207780379911525, + 0.06888542121100262, + 0.09279191790352505, + 0.014918630751964083, + 0.04117378605330413, + 0, + 0.07208118600975744, + 0.039151903185516625, + 0.1, + 0.08888180749291859, + 0.06677764659582841, + 0.10402597402597402, + -0.0625, + 0.05583333333333333, + 0.040833333333333346, + 0.05567567567567566, + 0.048088561521397344, + 0.09923160173160171, + 0.015404040404040411, + 0, + 0.04572285353535354, + 0.125323762697935, + 0.04583333333333334, + 0.08319701132201131, + 0.005010521885521885, + 0.028888888888888898, + 0.09659090909090909, + 0.3666666666666667, + -0.13333333333333333, + 0.12468412942989214, + 0.6, + 0.03703703703703703, + 0.10384615384615385, + 0.11313035066199618, + 0.10711364740701475, + 0.002996710221480863, + 0.16399055489964584, + 0.10191964285714285, + -0.3, + 0.07989799472558094, + 0.08166234277936399, + 0.22255892255892254, + 0.10527985482530941, + 0.08332437275985663, + 0.1361548174048174, + 0.01666666666666668, + 0.006249999999999996, + 0.050451207391041426, + 0.08996003996003994, + 0.09771533881382363, + 0.15416666666666665, + 0.13433303624480095, + -0.03018207282913165, + 0.01762876719883091, + 0.02386177041349455, + 0, + 0.015824915824915825, + 0.15165289256198347, + 0.6, + -0.16666666666666666, + 0.014680407975862522, + 0, + 0.09518939393939392, + 0.026412579957356082, + -0.146875, + 0.11016483516483515, + 0.1663328598484848, + 0.05500000000000001, + 0.08105579605579605, + 0.026161616161616153, + 0.15995370370370368, + 0.35, + 0.1961038961038961, + 0.06004117208955919, + 0.001190476190476189, + 0.05967384887839434, + 0.06905766526019691, + 0.019427768248522964, + -0.05714285714285715, + 0.025, + 0.11352080620373302, + 0.12468412942989214, + -0.125, + 0.024218750000000015, + 0.10693995274877625, + 0.01211490204710543, + 0.07857142857142858, + 0.058711080586080586, + 0.05476317799847212, + 0.12647876945749284, + 0.09545329670329673, + 0.11658200861069715, + 0.014600766797736496, + -0.07999999999999999, + -0.06420454545454544, + 0.10334896584896587, + 0.03515757724520612, + 0.04202178030303029, + 0.058711080586080586, + 0.06050012862335138, + -0.010020941118502097, + 0.06641873278236914, + -0.125, + 0.07845255342267296, + -0.2833333333333333, + 0.0583912037037037, + -0.028619528619528625, + 0.002083333333333333, + 0, + 0.1392857142857143, + 0.13637057005176276, + 0.0117283950617284, + 0.041219336219336225, + -0.13999999999999999, + 0.050432900432900434, + 0.1, + -0.019999999999999997, + 0.04386297229580813, + 0.05056236791530912, + 0.04987236355194104, + 0, + 0.02535866910866911, + 0.09375, + 0.15550364269876468, + 0.07681523022432114, + 0, + 0.08332437275985663, + 0.02716269841269842, + 0.55, + -0.031221303948576674, + 0.33, + 0.16666666666666669, + 0.030289502164502165, + 0.06355661881977673, + 0.25, + 0.26012987012987016, + 0.03329696179011247, + 0.03367765894236483, + 0.1672317156527683, + 0.13791043631623343, + 0.08664111498257838, + 0.09999999999999999, + 0.28271604938271605, + 0.058711080586080586, + 0.12337588126159557, + 0.0575995461865027, + 0.06825087610801896, + 0.6000000000000001, + 0.1642857142857143, + 0.019999999999999997, + 0.0892338669082855, + 0.12257921476671481, + 0, + 0, + -0.017020202020202026, + -0.009104278074866315, + 0.038933566433566436, + 0.05815685876623378, + 0.09429824561403508, + 0.12444939081537022, + 0.05, + 0.06275641025641025, + 0.6, + 0.1243071236412945, + 0.11016483516483515, + 0.03023729357062691, + 0.04434624017957352, + 0.1475283446712018, + 0.10224955179500639, + 0.0793831168831169, + 0.05644103371376098, + 0.5, + -0.04833333333333333, + 0.1103896103896104, + 0.03267156862745097, + 0.09198165206886136, + 0.24330143540669857, + 0.0496414617876882, + 0.06666666666666667, + 0.03333333333333333, + 0.058711080586080586, + 0.09659090909090909, + 0.13433303624480095, + 0.3499999999999999, + 0.11666666666666665, + 0.05219036722085503, + 0.15142857142857144, + 0.171875, + 0.0026943498788158894, + 0.171875, + 0.15416666666666667, + 0.08332437275985663, + 0.16116038201564525, + -0.060606060606060615, + 0.08, + 0.031517556517556514, + 0.16818181818181818, + 0, + -0.030046296296296304, + 0.035752171466457185, + 0.2, + -0.05000000000000001, + 0.09464285714285715, + -0.175, + 0.09281305114638445, + 0.027083333333333327, + 0.1877181337181337, + 0.07342891797616208, + -0.0625, + -0.1, + 0.05265002581516343, + 0.12619047619047621, + 0.07526054523988408, + 0, + 0.08321104632329118, + 0.08727272727272728, + 0.05046034322820036, + 0.07896614739680433, + 0.08420443650309418, + 0.013734862293474733, + 0.011111111111111112, + 0.2447222222222222, + 0.08332437275985663, + 0.04577922077922078, + 0.07034090909090909, + -0.005487391193036351, + -0.006815708101422388, + -0.03433583959899749, + 0.20260942760942757, + 0.13163809523809522, + 0.07787707390648568, + 0.12647876945749284, + 0.7, + 0.06117424242424242, + 0.09125000000000001, + 0.04559228650137742, + 0.04481046992839448, + 0.17760496671786996, + 0.05058941432259817, + 0.205, + 0.028952991452991447, + 0.002465367965367964, + 0.1608180506362325, + 0.0363234703440889, + -0.02187499999999999, + 0.03880022144173086, + 0.06355661881977673, + 0.16547619047619047, + 0.12004310661090324, + 0.08930373944928742, + -0.028698206555349413, + 0.10244898922469015, + -0.025, + 0.08784786641929498, + 0.07202797202797204, + 0.029382650395581435, + 0.058333333333333334, + 0.047222222222222214, + 0.16666666666666666, + -0.007575757575757576, + 0.2447222222222222, + 0.09401098901098903, + 0.26, + 0.06701038159371493 + ], + "y0": " ", + "yaxis": "y" + } + ], + "layout": { + "legend": { + "title": { + "text": "label" + }, + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "violinmode": "overlay", + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 1 + ] + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 1 + ], + "title": { + "text": "polarity" + } + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = px.violin(df, y='polarity', color=\"label\",\n", + " violinmode='overlay',\n", + " template='plotly_white')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 60, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "Facebook", + "marker": { + "color": "rgb(0, 0, 100)" + }, + "name": "Facebook", + "opacity": 0.7, + "type": "histogram", + "x": [ + -0.02033730158730164, + 0.05568181818181818, + 0.06214985994397759, + 0.16, + 0, + 0.15, + 0.6, + -0.30340909090909096, + -0.05, + 0.6, + 0, + -0.19396825396825398, + 0.2, + -0.15454545454545454, + 0.14879040404040406, + 0.43333333333333335, + -0.05, + 0, + -0.2, + 0, + -0.125, + 0.16818181818181818, + 0, + 0, + 0, + 0.2, + 0.3666666666666667, + 0, + 0.2833333333333333, + 0.09722222222222221, + 0.0013736263736263687, + 0, + 0, + -0.13333333333333333, + 0, + 0.1, + 0.10402597402597402, + 0.3666666666666667, + 0.10191964285714285, + 0.6, + -0.16666666666666666, + -0.125, + 0.07857142857142858, + 0, + 0.1, + 0.33, + 0, + 0.05, + 0.3499999999999999, + -0.060606060606060615, + 0.16818181818181818, + 0, + 0.2, + -0.175, + 0.027083333333333327, + -0.1, + 0, + 0.2447222222222222, + 0.06117424242424242, + -0.028698206555349413, + 0.2447222222222222 + ], + "xaxis": "x", + "xbins": { + "end": 0.6, + "size": 1, + "start": -0.30340909090909096 + }, + "yaxis": "y" + }, + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "Harvard", + "marker": { + "color": "rgb(0, 200, 200)" + }, + "name": "Harvard", + "opacity": 0.7, + "type": "histogram", + "x": [ + -0.05, + 0.1396031746031746, + 0.01372474747474745, + 0.23888888888888885, + 0.1301851851851852, + 0.13055555555555556, + 0.07107843137254902, + 0.16436507936507938, + -0.041666666666666664, + 0.07178631553631552, + 0.025708616780045344, + 0.011833333333333335, + 0.13522830344258918, + 0.11388888888888889, + 0.13055555555555556, + 0.25, + 0.09391304347826088, + 0.09905753968253968, + 0.13189484126984122, + 0.45555555555555555, + 0.007024793388429759, + -0.12993197278911564, + 0.12956709956709958, + -0.08357082732082731, + 0.4035714285714285, + 0.0009618506493506484, + 0.10818181818181818, + 0.05851851851851851, + 0.07391774891774892, + 0.07943722943722943, + 0.06957070707070707, + 0.04189655172413794, + 0.08660468319559228, + 0.09083177911241154, + 0.05238095238095238, + -0.12071428571428573, + 0.12760416666666669, + -0.13095238095238096, + 0.005397727272727264, + 0.09697014790764792, + -0.006481481481481484, + -0.15999999999999998, + 0.20714285714285713, + 0.05178236446093589, + 0.1717532467532468, + 0.011833333333333335, + 0.07054347826086955, + 0.31375000000000003, + 0.11499999999999999, + 0.028571428571428564, + 0.04052553229083844, + 0.04622727272727273, + 0.12037037037037036, + 0.06818181818181818, + -0.018518518518518517, + -0.014285714285714282, + 0.3052631578947368, + 0.011833333333333335, + 0.13999999999999999, + 0.23888888888888885, + 0.04622727272727273, + 0.08660468319559228, + -0.05277777777777778, + 0.13055555555555556, + -0.25, + 0.20714285714285713, + 0.15870129870129868, + 0.1451683064410337, + 0.17064306661080852, + -0.075, + -0.009383753501400572, + 0.18095238095238095, + 0.18416305916305917, + 0.20113636363636364, + -0.05277777777777778, + 0.07404994062290714, + 0.29103641456582635, + 0.16436507936507938, + 0.18095238095238095, + 0.240625, + 0.0910748106060606, + -0.075, + 0.07222222222222223, + 0.13075396825396823, + -0.05539867109634551, + 0.11019988242210464, + 0.06333333333333332, + 0.20714285714285713, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + -0.14166666666666666, + -0.0947089947089947, + 0.005397727272727264, + 0.14583333333333334, + 0.16204545454545455, + 0.12380952380952381, + 0.09559523809523808, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635 + ], + "xaxis": "x", + "xbins": { + "end": 0.45555555555555555, + "size": 1, + "start": -0.25 + }, + "yaxis": "y" + }, + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "nytimes", + "marker": { + "color": "rgb(100, 0, 0)" + }, + "name": "nytimes", + "opacity": 0.7, + "type": "histogram", + "x": [ + -0.03371782610154703, + 0.24090909090909093, + 0.0536096256684492, + 0.10512613822958654, + 0.15909090909090906, + 0.08330864980024645, + 0.1875172532781229, + 0.03731294710018114, + 0.07530078563411897, + 0.0217389845296822, + 0.15400724275724278, + 0.12273232323232328, + 0.14760251653108794, + 0.05000000000000001, + 0.023068735242030694, + 0.11770833333333333, + 0.04261382623224729, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.09969209469209472, + 0.06781849103277673, + 0.15288461538461537, + 0.041373706004140795, + 0.08737845418470418, + 0.22252121212121218, + 0.1902058421376603, + 0.08443276752487282, + 0.03648730411888306, + 0.21114718614718614, + 0.1886977886977887, + 0.0910017953622605, + 0.04145502645502646, + -0.0936210847975554, + 0.0963110269360269, + 0.049926536212663374, + 0.08397435897435898, + 0.10096379997954803, + -0.008633761502613963, + 0.11991883116883115, + 0.10150613275613275, + 0.05832848484848486, + 0.16526747062461347, + 0.07804199858994376, + 0.08858668733668736, + 0.13008563074352547, + 0.05595238095238094, + 0.18798791486291486, + 0.07103379123064166, + 0.05877461248428989, + 0.23805114638447972, + 0.03460638127304793, + -0.011946166207529847, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + 0.10979997014479773, + 0.018046536796536804, + 0.0991494334445154, + 0.09568043068043068, + 0.07357282502443796, + 0.12500676406926406 + ], + "xaxis": "x", + "xbins": { + "end": 0.24090909090909093, + "size": 1, + "start": -0.0936210847975554 + }, + "yaxis": "y" + }, + { + "autobinx": false, + "histnorm": "probability density", + "legendgroup": "naturalnews", + "marker": { + "color": "rgb(200, 0, 200)" + }, + "name": "naturalnews", + "opacity": 0.7, + "type": "histogram", + "x": [ + 0.03153001534330649, + 0.08910694959802103, + 0.11016483516483515, + 0.05644103371376098, + 0.08383116883116883, + 0.13433303624480095, + 0.0017189586114819736, + 0.096086860670194, + 0.11654761904761907, + 0.09606481481481483, + 0.06091580254370953, + 0.054403778040141695, + 0.09355838605838604, + 0.08319701132201131, + 0.08332437275985663, + 0.01762876719883091, + 0.06905766526019691, + 0.019427768248522964, + 0.058711080586080586, + 0.0117283950617284, + 0.0575995461865027, + 0.09125000000000001, + 0.04559228650137742, + 0.16547619047619047, + 0.06701038159371493 + ], + "xaxis": "x", + "xbins": { + "end": 0.16547619047619047, + "size": 1, + "start": 0.0017189586114819736 + }, + "yaxis": "y" + }, + { + "legendgroup": "Facebook", + "marker": { + "color": "rgb(0, 0, 100)" + }, + "mode": "lines", + "name": "Facebook", + "showlegend": false, + "type": "scatter", + "x": [ + -0.30340909090909096, + -0.3016022727272728, + -0.2997954545454546, + -0.2979886363636364, + -0.2961818181818182, + -0.29437500000000005, + -0.2925681818181819, + -0.2907613636363637, + -0.2889545454545455, + -0.2871477272727273, + -0.28534090909090915, + -0.283534090909091, + -0.28172727272727277, + -0.2799204545454546, + -0.2781136363636364, + -0.27630681818181824, + -0.2745000000000001, + -0.27269318181818186, + -0.2708863636363637, + -0.2690795454545455, + -0.26727272727272733, + -0.26546590909090917, + -0.26365909090909095, + -0.2618522727272728, + -0.2600454545454546, + -0.2582386363636364, + -0.25643181818181826, + -0.25462500000000005, + -0.2528181818181819, + -0.25101136363636367, + -0.2492045454545455, + -0.24739772727272732, + -0.24559090909090914, + -0.24378409090909098, + -0.24197727272727276, + -0.2401704545454546, + -0.23836363636363642, + -0.23655681818181823, + -0.23475000000000007, + -0.23294318181818185, + -0.2311363636363637, + -0.2293295454545455, + -0.22752272727272732, + -0.22571590909090913, + -0.22390909090909095, + -0.2221022727272728, + -0.2202954545454546, + -0.2184886363636364, + -0.21668181818181823, + -0.21487500000000004, + -0.21306818181818188, + -0.21126136363636366, + -0.2094545454545455, + -0.20764772727272732, + -0.20584090909090913, + -0.20403409090909097, + -0.20222727272727276, + -0.2004204545454546, + -0.1986136363636364, + -0.19680681818181822, + -0.19500000000000006, + -0.19319318181818187, + -0.1913863636363637, + -0.18957954545454553, + -0.1877727272727273, + -0.18596590909090915, + -0.18415909090909097, + -0.18235227272727278, + -0.1805454545454546, + -0.1787386363636364, + -0.17693181818181822, + -0.17512500000000006, + -0.17331818181818187, + -0.17151136363636368, + -0.1697045454545455, + -0.1678977272727273, + -0.16609090909090915, + -0.16428409090909096, + -0.16247727272727278, + -0.1606704545454546, + -0.1588636363636364, + -0.15705681818181824, + -0.15525000000000005, + -0.15344318181818187, + -0.15163636363636368, + -0.1498295454545455, + -0.1480227272727273, + -0.14621590909090915, + -0.14440909090909096, + -0.14260227272727277, + -0.14079545454545458, + -0.1389886363636364, + -0.13718181818181824, + -0.13537500000000005, + -0.13356818181818186, + -0.13176136363636368, + -0.1299545454545455, + -0.1281477272727273, + -0.12634090909090914, + -0.12453409090909096, + -0.12272727272727277, + -0.12092045454545458, + -0.1191136363636364, + -0.11730681818181823, + -0.11550000000000005, + -0.11369318181818186, + -0.11188636363636367, + -0.11007954545454549, + -0.1082727272727273, + -0.10646590909090914, + -0.10465909090909095, + -0.10285227272727276, + -0.10104545454545458, + -0.09923863636363639, + -0.0974318181818182, + -0.09562500000000004, + -0.09381818181818186, + -0.09201136363636367, + -0.09020454545454548, + -0.0883977272727273, + -0.08659090909090914, + -0.08478409090909095, + -0.08297727272727279, + -0.0811704545454546, + -0.07936363636363641, + -0.07755681818181823, + -0.07575000000000007, + -0.07394318181818188, + -0.07213636363636369, + -0.0703295454545455, + -0.06852272727272732, + -0.06671590909090916, + -0.06490909090909097, + -0.06310227272727278, + -0.0612954545454546, + -0.05948863636363641, + -0.05768181818181822, + -0.055875000000000064, + -0.054068181818181876, + -0.05226136363636369, + -0.050454545454545474, + -0.048647727272727315, + -0.046840909090909155, + -0.04503409090909094, + -0.04322727272727278, + -0.041420454545454566, + -0.039613636363636406, + -0.03780681818181819, + -0.03600000000000003, + -0.03419318181818182, + -0.03238636363636366, + -0.030579545454545498, + -0.02877272727272734, + -0.026965909090909124, + -0.025159090909090964, + -0.02335227272727275, + -0.02154545454545459, + -0.019738636363636375, + -0.017931818181818215, + -0.016125, + -0.014318181818181841, + -0.012511363636363626, + -0.010704545454545522, + -0.008897727272727363, + -0.007090909090909148, + -0.005284090909090988, + -0.0034772727272727733, + -0.0016704545454546138, + 0.00013636363636360116, + 0.0019431818181817606, + 0.0037499999999999756, + 0.005556818181818135, + 0.00736363636363635, + 0.009170454545454454, + 0.010977272727272669, + 0.012784090909090828, + 0.014590909090909043, + 0.016397727272727203, + 0.018204545454545418, + 0.020011363636363577, + 0.021818181818181792, + 0.02362499999999995, + 0.025431818181818167, + 0.027238636363636326, + 0.029045454545454485, + 0.030852272727272645, + 0.03265909090909086, + 0.03446590909090902, + 0.036272727272727234, + 0.038079545454545394, + 0.03988636363636361, + 0.04169318181818177, + 0.04349999999999998, + 0.04530681818181814, + 0.04711363636363636, + 0.04892045454545446, + 0.050727272727272676, + 0.052534090909090836, + 0.05434090909090905, + 0.05614772727272721, + 0.057954545454545425, + 0.059761363636363585, + 0.0615681818181818, + 0.06337499999999996, + 0.06518181818181817, + 0.06698863636363633, + 0.06879545454545449, + 0.07060227272727265, + 0.07240909090909087, + 0.07421590909090903, + 0.07602272727272724, + 0.0778295454545454, + 0.07963636363636362, + 0.08144318181818178, + 0.08324999999999999, + 0.08505681818181815, + 0.08686363636363637, + 0.08867045454545452, + 0.09047727272727268, + 0.09228409090909084, + 0.09409090909090906, + 0.09589772727272722, + 0.09770454545454543, + 0.09951136363636359, + 0.10131818181818181, + 0.10312499999999997, + 0.10493181818181818, + 0.10673863636363634, + 0.10854545454545456, + 0.11035227272727266, + 0.11215909090909087, + 0.11396590909090903, + 0.11577272727272725, + 0.11757954545454541, + 0.11938636363636362, + 0.12119318181818178, + 0.123, + 0.12480681818181816, + 0.12661363636363637, + 0.12842045454545453, + 0.1302272727272727, + 0.13203409090909085, + 0.13384090909090907, + 0.13564772727272723, + 0.13745454545454538, + 0.1392613636363636, + 0.14106818181818176, + 0.14287499999999997, + 0.14468181818181813, + 0.14648863636363635, + 0.1482954545454545, + 0.15010227272727267, + 0.15190909090909083, + 0.15371590909090904, + 0.1555227272727272, + 0.15732954545454542, + 0.15913636363636358, + 0.1609431818181818, + 0.16274999999999995, + 0.16455681818181817, + 0.16636363636363632, + 0.16817045454545454, + 0.16997727272727264, + 0.17178409090909086, + 0.17359090909090902, + 0.17539772727272723, + 0.1772045454545454, + 0.1790113636363636, + 0.18081818181818177, + 0.18262499999999998, + 0.18443181818181814, + 0.18623863636363636, + 0.18804545454545452, + 0.18985227272727268, + 0.19165909090909083, + 0.19346590909090905, + 0.1952727272727272, + 0.19707954545454542, + 0.19888636363636358, + 0.20069318181818174, + 0.2025, + 0.20430681818181817, + 0.20611363636363633, + 0.2079204545454545, + 0.20972727272727265, + 0.21153409090909092, + 0.21334090909090908, + 0.21514772727272724, + 0.2169545454545454, + 0.21876136363636367, + 0.22056818181818183, + 0.22237499999999988, + 0.22418181818181815, + 0.2259886363636363, + 0.22779545454545458, + 0.22960227272727263, + 0.2314090909090909, + 0.23321590909090906, + 0.23502272727272733, + 0.23682954545454538, + 0.23863636363636365, + 0.2404431818181818, + 0.24224999999999997, + 0.24405681818181812, + 0.24586363636363628, + 0.24767045454545455, + 0.24947727272727271, + 0.2512840909090909, + 0.25309090909090903, + 0.2548977272727273, + 0.25670454545454546, + 0.2585113636363636, + 0.2603181818181818, + 0.26212499999999994, + 0.2639318181818182, + 0.26573863636363626, + 0.26754545454545453, + 0.2693522727272727, + 0.27115909090909096, + 0.272965909090909, + 0.2747727272727273, + 0.27657954545454544, + 0.2783863636363637, + 0.28019318181818176, + 0.2819999999999999, + 0.2838068181818182, + 0.28561363636363624, + 0.2874204545454545, + 0.28922727272727267, + 0.29103409090909094, + 0.292840909090909, + 0.29464772727272726, + 0.2964545454545454, + 0.2982613636363637, + 0.30006818181818173, + 0.3018749999999999, + 0.30368181818181816, + 0.3054886363636363, + 0.3072954545454545, + 0.30910227272727264, + 0.3109090909090909, + 0.31271590909090907, + 0.31452272727272723, + 0.3163295454545454, + 0.31813636363636366, + 0.3199431818181818, + 0.32174999999999987, + 0.32355681818181814, + 0.3253636363636363, + 0.32717045454545457, + 0.3289772727272726, + 0.3307840909090909, + 0.33259090909090905, + 0.3343977272727273, + 0.33620454545454537, + 0.33801136363636364, + 0.3398181818181818, + 0.34162499999999996, + 0.3434318181818181, + 0.3452386363636363, + 0.34704545454545455, + 0.3488522727272727, + 0.35065909090909086, + 0.352465909090909, + 0.3542727272727273, + 0.35607954545454545, + 0.3578863636363636, + 0.3596931818181818, + 0.36149999999999993, + 0.3633068181818182, + 0.36511363636363625, + 0.3669204545454545, + 0.3687272727272727, + 0.37053409090909095, + 0.372340909090909, + 0.37414772727272727, + 0.37595454545454543, + 0.3777613636363637, + 0.37956818181818175, + 0.3813749999999999, + 0.3831818181818182, + 0.38498863636363634, + 0.3867954545454545, + 0.38860227272727266, + 0.39040909090909093, + 0.3922159090909091, + 0.39402272727272725, + 0.3958295454545454, + 0.3976363636363637, + 0.39944318181818184, + 0.4012499999999999, + 0.40305681818181816, + 0.4048636363636363, + 0.4066704545454546, + 0.40847727272727263, + 0.4102840909090909, + 0.41209090909090906, + 0.41389772727272733, + 0.4157045454545454, + 0.41751136363636365, + 0.4193181818181818, + 0.42112499999999997, + 0.42293181818181813, + 0.4247386363636363, + 0.42654545454545456, + 0.4283522727272726, + 0.4301590909090909, + 0.43196590909090904, + 0.4337727272727273, + 0.43557954545454536, + 0.43738636363636363, + 0.4391931818181818, + 0.44099999999999995, + 0.4428068181818181, + 0.44461363636363627, + 0.44642045454545454, + 0.4482272727272727, + 0.45003409090909086, + 0.451840909090909, + 0.4536477272727273, + 0.45545454545454545, + 0.4572613636363636, + 0.45906818181818176, + 0.4608749999999999, + 0.4626818181818182, + 0.46448863636363624, + 0.4662954545454545, + 0.4681022727272727, + 0.46990909090909094, + 0.471715909090909, + 0.47352272727272726, + 0.4753295454545454, + 0.4771363636363637, + 0.47894318181818174, + 0.48075, + 0.48255681818181817, + 0.48436363636363633, + 0.4861704545454545, + 0.48797727272727265, + 0.4897840909090909, + 0.4915909090909091, + 0.49339772727272724, + 0.4952045454545454, + 0.49701136363636367, + 0.4988181818181818, + 0.500625, + 0.5024318181818181, + 0.5042386363636363, + 0.5060454545454546, + 0.5078522727272726, + 0.5096590909090909, + 0.511465909090909, + 0.5132727272727273, + 0.5150795454545454, + 0.5168863636363636, + 0.5186931818181818, + 0.5205000000000001, + 0.5223068181818181, + 0.5241136363636363, + 0.5259204545454546, + 0.5277272727272727, + 0.5295340909090909, + 0.531340909090909, + 0.5331477272727273, + 0.5349545454545455, + 0.5367613636363636, + 0.5385681818181818, + 0.540375, + 0.5421818181818182, + 0.5439886363636363, + 0.5457954545454545, + 0.5476022727272727, + 0.549409090909091, + 0.551215909090909, + 0.5530227272727273, + 0.5548295454545454, + 0.5566363636363637, + 0.5584431818181818, + 0.56025, + 0.5620568181818182, + 0.5638636363636363, + 0.5656704545454545, + 0.5674772727272727, + 0.5692840909090909, + 0.5710909090909091, + 0.5728977272727273, + 0.5747045454545454, + 0.5765113636363637, + 0.5783181818181817, + 0.580125, + 0.5819318181818182, + 0.5837386363636363, + 0.5855454545454545, + 0.5873522727272726, + 0.5891590909090909, + 0.5909659090909091, + 0.5927727272727272, + 0.5945795454545454, + 0.5963863636363637, + 0.5981931818181818 + ], + "xaxis": "x", + "y": [ + 0.24678190459555163, + 0.2526613923286895, + 0.2586451417217669, + 0.26473388818575116, + 0.27092832335098976, + 0.2772290935840235, + 0.2836367986250746, + 0.29015199035670125, + 0.29677517171388285, + 0.3035067957454803, + 0.31034726483667474, + 0.31729693010153964, + 0.3243560909544211, + 0.3315249948682345, + 0.3388038373271832, + 0.3461927619806886, + 0.353691861004625, + 0.36130117567509235, + 0.3690206971591472, + 0.37685036752595763, + 0.38479008098089806, + 0.392839685324062, + 0.40099898363361675, + 0.4092677361732976, + 0.41764566252220153, + 0.4261324439238388, + 0.43472772585020825, + 0.4434311207753947, + 0.4522422111519484, + 0.46116055258202926, + 0.47018567717400234, + 0.4793170970739158, + 0.48855430815998413, + 0.49789679388695723, + 0.5073440292659924, + 0.5168954849644253, + 0.526550631508647, + 0.5363089435721293, + 0.5461699043295455, + 0.5561330098568656, + 0.5661977735563084, + 0.576363730584112, + 0.5866304422582054, + 0.5969975004221071, + 0.6074645317406737, + 0.6180312019027061, + 0.6286972197049436, + 0.6394623409915559, + 0.6503263724229563, + 0.6612891750475793, + 0.6723506676502179, + 0.6835108298505449, + 0.694769704925671, + 0.7061274023308671, + 0.717584099893049, + 0.7291400456521896, + 0.740795559326534, + 0.7525510333783383, + 0.7644069336578424, + 0.7763637996042791, + 0.7884222439839949, + 0.800582952147109, + 0.8128466807856626, + 0.8252142561778171, + 0.8376865719044372, + 0.8502645860262302, + 0.862949317711612, + 0.8757418433075357, + 0.8886432918477055, + 0.9016548399948563, + 0.9147777064161418, + 0.9280131455930852, + 0.9413624410700453, + 0.9548268981476842, + 0.9684078360305173, + 0.9821065794402445, + 0.9959244497092116, + 1.0098627553709938, + 1.0239227822677621, + 1.0381057831967333, + 1.0524129671206155, + 1.0668454879695521, + 1.0814044330645947, + 1.096090811195195, + 1.110905540385628, + 1.1258494353875257, + 1.1409231949379406, + 1.1561273888244408, + 1.1714624448007007, + 1.1869286353979007, + 1.2025260646789269, + 1.2182546549838977, + 1.234114133716896, + 1.250104020224987, + 1.266223612821576, + 1.282471976006986, + 1.298847927939711, + 1.3153500282122077, + 1.3319765659852643, + 1.3487255485348972, + 1.3655946902655307, + 1.382581402242627, + 1.3996827822972702, + 1.4168956057542168, + 1.4342163168337232, + 1.4516410207760695, + 1.4691654767360018, + 1.486785091492479, + 1.5044949140169839, + 1.522289630941353, + 1.5401635629635537, + 1.5581106622271232, + 1.576124510707034, + 1.5941983196317018, + 1.6123249299675022, + 1.6304968139888216, + 1.648706077952991, + 1.6669444658957777, + 1.6852033645592979, + 1.7034738094601818, + 1.7217464921018713, + 1.7400117683307765, + 1.7582596678318325, + 1.7764799047548396, + 1.7946618894586812, + 1.8127947413563192, + 1.8308673028392124, + 1.8488681542556316, + 1.866785629913193, + 1.8846078350718662, + 1.9023226638897042, + 1.9199178182797052, + 1.9373808276323867, + 1.954699069355134, + 1.9718597901757755, + 1.9888501281547264, + 2.0056571353467607, + 2.0222678010506994, + 2.0386690755825647, + 2.054847894505277, + 2.0707912032458267, + 2.086485982028807, + 2.1019192710535743, + 2.1170781958408194, + 2.131949992673227, + 2.146522034054012, + 2.1607818541065593, + 2.174717173838132, + 2.188315926190609, + 2.2015662808015475, + 2.214456668399465, + 2.226975804758185, + 2.2391127141362235, + 2.2508567521287732, + 2.2621976278615286, + 2.273125425457725, + 2.2836306247120106, + 2.2937041209074027, + 2.303337243714359, + 2.3125217751140825, + 2.321249966291424, + 2.329514553446279, + 2.337308772475998, + 2.344626372485252, + 2.3514616280837513, + 2.3578093504364492, + 2.3636648970350644, + 2.36902418016425, + 2.3738836740401523, + 2.3782404206036896, + 2.382092033955515, + 2.3854367034241806, + 2.388273195263804, + 2.3906008529820584, + 2.3924195963039936, + 2.393729918781772, + 2.394532884064852, + 2.3948301208496585, + 2.394623816532018, + 2.393916709589928, + 2.3927120807282023, + 2.391013742820576, + 2.388826029688476, + 2.3861537837593465, + 2.383002342650748, + 2.3793775247296263, + 2.375285613699149, + 2.3707333422681534, + 2.365727874960891, + 2.360276790126856, + 2.354388061212607, + 2.3480700373591725, + 2.3413314233901907, + 2.334181259257069, + 2.326628899008531, + 2.3186839893525124, + 2.3103564478788767, + 2.3016564410115716, + 2.2925943617587574, + 2.283180807329095, + 2.2734265566818204, + 2.2633425480773575, + 2.2529398566941796, + 2.2422296723763075, + 2.2312232775743226, + 2.2199320255410386, + 2.2083673188410358, + 2.1965405882311466, + 2.1844632719666772, + 2.1721467955856903, + 2.1596025522210547, + 2.146841883487206, + 2.1338760609857004, + 2.1207162684706247, + 2.107373584711867, + 2.0938589670910557, + 2.080183235961749, + 2.066357059802156, + 2.0523909411853314, + 2.0382952035884534, + 2.0240799790593726, + 2.0097551967552985, + 1.9953305723651054, + 1.9808155984234324, + 1.96621953552143, + 1.9515514044158488, + 1.9368199790348948, + 1.9220337803762706, + 1.90720107128979, + 1.8923298521340208, + 1.877427857293623, + 1.8625025525414103, + 1.8475611332264856, + 1.832610523267496, + 1.81765737492764, + 1.8027080693459858, + 1.7877687177975974, + 1.7728451636531282, + 1.7579429850068367, + 1.7430674979404337, + 1.7282237603887853, + 1.7134165765722595, + 1.698650501959487, + 1.6839298487233563, + 1.6692586916523633, + 1.6546408744788665, + 1.6400800165853637, + 1.6255795200496617, + 1.6111425769897307, + 1.5967721771690413, + 1.5824711158234284, + 1.5682420016708334, + 1.5540872650657702, + 1.5400091662609714, + 1.5260098037394156, + 1.512091122580768, + 1.4982549228273014, + 1.4845028678153929, + 1.4708364924398958, + 1.4572572113200037, + 1.4437663268365184, + 1.430365037011986, + 1.4170544432065717, + 1.4038355576042532, + 1.390709310465463, + 1.377676557124068, + 1.3647380847082962, + 1.3518946185669964, + 1.3391468283844392, + 1.3264953339686623, + 1.3139407107002572, + 1.3014834946302762, + 1.2891241872178467, + 1.2768632596998806, + 1.2647011570871087, + 1.2526383017824616, + 1.2406750968196316, + 1.2288119287213402, + 1.2170491699786015, + 1.205387181153898, + 1.1938263126128135, + 1.182366905890233, + 1.1710092946986972, + 1.1597538055879864, + 1.1486007582663298, + 1.137550465594963, + 1.1266032332689864, + 1.1157593591986084, + 1.1050191326059573, + 1.0943828328535943, + 1.0838507280217995, + 1.0734230732524912, + 1.063100108878375, + 1.05288205835659, + 1.0427691260265906, + 1.0327614947125605, + 1.0228593231909358, + 1.0130627435439632, + 1.0033718584203397, + 0.9937867382241498, + 0.9843074182532575, + 0.9749338958083014, + 0.9656661272932138, + 0.9565040253279988, + 0.947447455894142, + 0.9384962355326281, + 0.9296501286140749, + 0.9209088446999182, + 0.9122720360129779, + 0.9037392950350289, + 0.8953101522482655, + 0.8869840740366995, + 0.8787604607627147, + 0.8706386450330318, + 0.862617890167389, + 0.8546973888822469, + 0.846876262200728, + 0.8391535585989839, + 0.8315282533979949, + 0.8239992484087255, + 0.8165653718373538, + 0.8092253784561503, + 0.801977950044355, + 0.7948216961022382, + 0.7877551548403128, + 0.7807767944444739, + 0.7738850146166486, + 0.7670781483893696, + 0.7603544642115136, + 0.7537121683013025, + 0.7471494072615597, + 0.7406642709511012, + 0.7342547956051076, + 0.727918967196269, + 0.7216547250275496, + 0.7154599655464258, + 0.7093325463696157, + 0.7032702905064098, + 0.6972709907679548, + 0.6913324143490871, + 0.6854523075686192, + 0.6796284007533588, + 0.6738584132505636, + 0.6681400585530269, + 0.6624710495205485, + 0.6568491036811409, + 0.6512719485950221, + 0.6457373272641678, + 0.6402430035700301, + 0.6347867677218624, + 0.6293664416980719, + 0.6239798846629754, + 0.6186249983414401, + 0.6132997323339662, + 0.6080020893550064, + 0.6027301303775034, + 0.5974819796669851, + 0.5922558296888573, + 0.5870499458729903, + 0.5818626712201251, + 0.5766924307351462, + 0.5715377356728298, + 0.5663971875822654, + 0.5612694821367878, + 0.5561534127369576, + 0.5510478738748085, + 0.5459518642483566, + 0.5408644896161252, + 0.5357849653822451, + 0.530712618903515, + 0.5256468915106562, + 0.5205873402368377, + 0.515533639247457, + 0.5104855809660048, + 0.5054430768917716, + 0.5004061581060223, + 0.4953749754641876, + 0.4903497994724914, + 0.48533101984835464, + 0.48031914476477183, + 0.475314799779764, + 0.470318726452848, + 0.4653317806513284, + 0.4603549305500516, + 0.4553892543290709, + 0.45043593757447087, + 0.44549627038837014, + 0.4405716442148751, + 0.4356635483894723, + 0.4307735664200565, + 0.425903372008446, + 0.4210547248218884, + 0.416229466024671, + 0.41142951358050817, + 0.4066568573369611, + 0.4019135539036171, + 0.39720172133628556, + 0.39252353363986797, + 0.3878812151030167, + 0.38327703447804634, + 0.3787132990199403, + 0.3741923483985781, + 0.3697165484986161, + 0.3652882851216861, + 0.36090995760579486, + 0.35658397237699097, + 0.35231273644850075, + 0.3480986508826753, + 0.34394410423113575, + 0.33985146596859506, + 0.33582307993581845, + 0.33186125780720255, + 0.32796827259837774, + 0.32414635222920196, + 0.32039767315737117, + 0.3167243540977741, + 0.313128449842529, + 0.30961194519646024, + 0.3061767490425544, + 0.30282468855167666, + 0.29955750355056215, + 0.29637684106178036, + 0.29328425002904884, + 0.29028117624091193, + 0.2873689574654009, + 0.2845488188079015, + 0.2818218683039936, + 0.2791890927585818, + 0.27665135384212935, + 0.27420938445430654, + 0.2718637853648131, + 0.2696150221405792, + 0.2674634223679539, + 0.26540917317788265, + 0.2634523190814425, + 0.26159276012244354, + 0.2598302503531298, + 0.25816439663831725, + 0.25659465779258656, + 0.25512034405440936, + 0.2537406169003459, + 0.25245448920166164, + 0.25126082572494757, + 0.25015834397751424, + 0.24914561539752442, + 0.24822106688801207, + 0.24738298269309597, + 0.24662950661386668, + 0.24595864456057662, + 0.2453682674369231, + 0.2448561143513612, + 0.24441979614953957, + 0.24405679926111085, + 0.24376448985333013, + 0.24354011828302297, + 0.24338082383769408, + 0.24328363975573306, + 0.24324549851489777, + 0.24326323737746966, + 0.24333360417974173, + 0.24345326335276624, + 0.2436188021605984, + 0.24382673714159206, + 0.24407352073768834, + 0.24435554809601012, + 0.24466916402654176, + 0.24501067009912422, + 0.24537633186252916, + 0.24576238616794127, + 0.2461650485787788, + 0.24658052084845056, + 0.2470049984473623, + 0.2474346781202383, + 0.24786576545465572, + 0.24829448244156302, + 0.24871707500847326, + 0.249129820506039, + 0.24952903512874142, + 0.24991108125055164, + 0.25027237465659524, + 0.2506093916520642, + 0.2509186760299405, + 0.2511968458794193, + 0.25144060021734826, + 0.2516467254254674, + 0.2518121014767525, + 0.2519337079347571, + 0.2520086297104811, + 0.2520340625619905, + 0.2520073183227361, + 0.25192582984533674, + 0.25178715564839604, + 0.25158898425481846, + 0.251329138211002, + 0.2510055777772326, + 0.2506164042806032, + 0.25015986312277866, + 0.24963434643599194, + 0.24903839538170106, + 0.24837070208742382 + ], + "yaxis": "y" + }, + { + "legendgroup": "Harvard", + "marker": { + "color": "rgb(0, 200, 200)" + }, + "mode": "lines", + "name": "Harvard", + "showlegend": false, + "type": "scatter", + "x": [ + -0.25, + -0.2485888888888889, + -0.24717777777777777, + -0.24576666666666666, + -0.24435555555555555, + -0.24294444444444444, + -0.24153333333333332, + -0.24012222222222224, + -0.23871111111111112, + -0.2373, + -0.2358888888888889, + -0.23447777777777778, + -0.23306666666666667, + -0.23165555555555556, + -0.23024444444444445, + -0.22883333333333333, + -0.22742222222222222, + -0.2260111111111111, + -0.2246, + -0.22318888888888888, + -0.22177777777777777, + -0.22036666666666666, + -0.21895555555555557, + -0.21754444444444443, + -0.21613333333333334, + -0.21472222222222223, + -0.21331111111111112, + -0.2119, + -0.2104888888888889, + -0.20907777777777778, + -0.20766666666666667, + -0.20625555555555555, + -0.20484444444444444, + -0.20343333333333333, + -0.20202222222222221, + -0.20061111111111113, + -0.1992, + -0.1977888888888889, + -0.1963777777777778, + -0.19496666666666668, + -0.19355555555555556, + -0.19214444444444445, + -0.19073333333333334, + -0.18932222222222223, + -0.1879111111111111, + -0.1865, + -0.1850888888888889, + -0.18367777777777777, + -0.1822666666666667, + -0.18085555555555557, + -0.17944444444444446, + -0.17803333333333335, + -0.17662222222222224, + -0.17521111111111112, + -0.1738, + -0.1723888888888889, + -0.17097777777777778, + -0.16956666666666667, + -0.16815555555555556, + -0.16674444444444447, + -0.16533333333333333, + -0.16392222222222225, + -0.1625111111111111, + -0.16110000000000002, + -0.15968888888888888, + -0.1582777777777778, + -0.15686666666666665, + -0.15545555555555557, + -0.15404444444444446, + -0.15263333333333334, + -0.15122222222222223, + -0.14981111111111112, + -0.1484, + -0.1469888888888889, + -0.14557777777777778, + -0.14416666666666667, + -0.14275555555555558, + -0.14134444444444444, + -0.13993333333333335, + -0.1385222222222222, + -0.13711111111111113, + -0.13570000000000002, + -0.1342888888888889, + -0.1328777777777778, + -0.13146666666666668, + -0.1300555555555556, + -0.12864444444444445, + -0.12723333333333336, + -0.12582222222222222, + -0.12441111111111114, + -0.12300000000000003, + -0.12158888888888891, + -0.12017777777777777, + -0.11876666666666669, + -0.11735555555555555, + -0.11594444444444446, + -0.11453333333333335, + -0.11312222222222224, + -0.11171111111111115, + -0.11030000000000001, + -0.10888888888888892, + -0.10747777777777778, + -0.1060666666666667, + -0.10465555555555556, + -0.10324444444444447, + -0.10183333333333333, + -0.10042222222222225, + -0.09901111111111113, + -0.09760000000000002, + -0.09618888888888891, + -0.0947777777777778, + -0.09336666666666668, + -0.09195555555555557, + -0.09054444444444446, + -0.08913333333333334, + -0.08772222222222223, + -0.08631111111111114, + -0.0849, + -0.08348888888888892, + -0.08207777777777778, + -0.08066666666666669, + -0.07925555555555555, + -0.07784444444444447, + -0.07643333333333333, + -0.07502222222222224, + -0.07361111111111113, + -0.07220000000000001, + -0.0707888888888889, + -0.06937777777777779, + -0.0679666666666667, + -0.06655555555555556, + -0.06514444444444448, + -0.06373333333333334, + -0.06232222222222225, + -0.06091111111111114, + -0.059500000000000025, + -0.05808888888888891, + -0.0566777777777778, + -0.055266666666666686, + -0.05385555555555557, + -0.05244444444444446, + -0.05103333333333335, + -0.049622222222222234, + -0.04821111111111115, + -0.04680000000000001, + -0.04538888888888892, + -0.04397777777777778, + -0.0425666666666667, + -0.041155555555555556, + -0.03974444444444447, + -0.03833333333333333, + -0.036922222222222245, + -0.03551111111111113, + -0.03410000000000002, + -0.032688888888888906, + -0.03127777777777779, + -0.02986666666666668, + -0.028455555555555567, + -0.027044444444444454, + -0.02563333333333334, + -0.02422222222222223, + -0.022811111111111143, + -0.02140000000000003, + -0.019988888888888917, + -0.018577777777777804, + -0.01716666666666669, + -0.015755555555555578, + -0.014344444444444465, + -0.012933333333333352, + -0.01152222222222224, + -0.010111111111111154, + -0.008700000000000013, + -0.007288888888888928, + -0.005877777777777787, + -0.004466666666666702, + -0.0030555555555555614, + -0.0016444444444444761, + -0.0002333333333333354, + 0.001177777777777722, + 0.002588888888888863, + 0.003999999999999948, + 0.005411111111111089, + 0.006822222222222174, + 0.008233333333333315, + 0.009644444444444455, + 0.01105555555555554, + 0.012466666666666626, + 0.013877777777777711, + 0.015288888888888907, + 0.016699999999999993, + 0.018111111111111078, + 0.019522222222222163, + 0.020933333333333304, + 0.022344444444444445, + 0.02375555555555553, + 0.025166666666666615, + 0.0265777777777777, + 0.027988888888888896, + 0.02939999999999998, + 0.030811111111111067, + 0.03222222222222215, + 0.03363333333333335, + 0.035044444444444434, + 0.03645555555555552, + 0.037866666666666604, + 0.039277777777777745, + 0.040688888888888886, + 0.04209999999999997, + 0.043511111111111056, + 0.0449222222222222, + 0.04633333333333334, + 0.04774444444444442, + 0.04915555555555551, + 0.05056666666666665, + 0.051977777777777734, + 0.053388888888888875, + 0.05479999999999996, + 0.0562111111111111, + 0.057622222222222186, + 0.05903333333333333, + 0.06044444444444441, + 0.06185555555555555, + 0.06326666666666664, + 0.06467777777777772, + 0.06608888888888886, + 0.06749999999999995, + 0.06891111111111109, + 0.07032222222222217, + 0.07173333333333332, + 0.0731444444444444, + 0.07455555555555554, + 0.07596666666666663, + 0.07737777777777771, + 0.07878888888888885, + 0.0802, + 0.08161111111111108, + 0.08302222222222216, + 0.0844333333333333, + 0.08584444444444445, + 0.08725555555555553, + 0.08866666666666662, + 0.0900777777777777, + 0.0914888888888889, + 0.09289999999999998, + 0.09431111111111107, + 0.09572222222222215, + 0.09713333333333335, + 0.09854444444444443, + 0.09995555555555552, + 0.1013666666666666, + 0.10277777777777775, + 0.10418888888888889, + 0.10559999999999997, + 0.10701111111111106, + 0.1084222222222222, + 0.10983333333333334, + 0.11124444444444442, + 0.11265555555555551, + 0.1140666666666666, + 0.11547777777777773, + 0.11688888888888888, + 0.11829999999999996, + 0.11971111111111105, + 0.12112222222222219, + 0.12253333333333333, + 0.12394444444444441, + 0.1253555555555555, + 0.12676666666666664, + 0.12817777777777772, + 0.12958888888888886, + 0.13099999999999995, + 0.1324111111111111, + 0.13382222222222218, + 0.13523333333333332, + 0.1366444444444444, + 0.13805555555555554, + 0.13946666666666663, + 0.1408777777777777, + 0.14228888888888885, + 0.1437, + 0.14511111111111108, + 0.14652222222222216, + 0.1479333333333333, + 0.14934444444444445, + 0.15075555555555553, + 0.15216666666666662, + 0.1535777777777777, + 0.1549888888888889, + 0.15639999999999998, + 0.15781111111111107, + 0.15922222222222215, + 0.1606333333333333, + 0.16204444444444444, + 0.16345555555555552, + 0.1648666666666666, + 0.1662777777777777, + 0.1676888888888889, + 0.16909999999999997, + 0.17051111111111106, + 0.17192222222222214, + 0.17333333333333334, + 0.17474444444444442, + 0.1761555555555555, + 0.1775666666666666, + 0.17897777777777774, + 0.18038888888888888, + 0.18179999999999996, + 0.18321111111111105, + 0.1846222222222222, + 0.18603333333333333, + 0.1874444444444444, + 0.1888555555555555, + 0.19026666666666664, + 0.19167777777777772, + 0.19308888888888887, + 0.19449999999999995, + 0.1959111111111111, + 0.19732222222222218, + 0.19873333333333332, + 0.2001444444444444, + 0.20155555555555554, + 0.20296666666666663, + 0.2043777777777777, + 0.20578888888888885, + 0.20719999999999994, + 0.20861111111111108, + 0.21002222222222217, + 0.2114333333333333, + 0.2128444444444444, + 0.21425555555555553, + 0.21566666666666662, + 0.2170777777777777, + 0.21848888888888884, + 0.21989999999999998, + 0.22131111111111107, + 0.22272222222222215, + 0.2241333333333333, + 0.22554444444444444, + 0.22695555555555552, + 0.2283666666666666, + 0.2297777777777777, + 0.2311888888888889, + 0.23259999999999997, + 0.23401111111111106, + 0.23542222222222214, + 0.23683333333333334, + 0.23824444444444443, + 0.2396555555555555, + 0.2410666666666666, + 0.24247777777777774, + 0.24388888888888888, + 0.24529999999999996, + 0.24671111111111105, + 0.24812222222222213, + 0.24953333333333333, + 0.2509444444444444, + 0.25235555555555544, + 0.2537666666666666, + 0.2551777777777777, + 0.25658888888888887, + 0.2579999999999999, + 0.25941111111111104, + 0.2608222222222222, + 0.2622333333333332, + 0.26364444444444435, + 0.2650555555555555, + 0.26646666666666663, + 0.26787777777777777, + 0.2692888888888889, + 0.27069999999999994, + 0.2721111111111111, + 0.2735222222222221, + 0.27493333333333325, + 0.2763444444444444, + 0.2777555555555554, + 0.2791666666666667, + 0.2805777777777778, + 0.28198888888888884, + 0.2834, + 0.284811111111111, + 0.28622222222222216, + 0.2876333333333333, + 0.2890444444444443, + 0.29045555555555547, + 0.2918666666666666, + 0.29327777777777775, + 0.2946888888888889, + 0.2960999999999999, + 0.29751111111111106, + 0.2989222222222222, + 0.30033333333333323, + 0.30174444444444437, + 0.3031555555555554, + 0.30456666666666665, + 0.3059777777777778, + 0.3073888888888888, + 0.30879999999999996, + 0.3102111111111111, + 0.31162222222222213, + 0.3130333333333333, + 0.3144444444444443, + 0.31585555555555545, + 0.3172666666666667, + 0.3186777777777777, + 0.32008888888888887, + 0.3215, + 0.32291111111111104, + 0.3243222222222222, + 0.3257333333333332, + 0.32714444444444435, + 0.3285555555555555, + 0.32996666666666663, + 0.33137777777777777, + 0.3327888888888889, + 0.33419999999999994, + 0.3356111111111111, + 0.3370222222222221, + 0.33843333333333325, + 0.3398444444444444, + 0.3412555555555554, + 0.3426666666666667, + 0.3440777777777777, + 0.34548888888888885, + 0.3469, + 0.348311111111111, + 0.34972222222222216, + 0.3511333333333333, + 0.3525444444444443, + 0.35395555555555547, + 0.3553666666666666, + 0.35677777777777775, + 0.3581888888888889, + 0.3595999999999999, + 0.36101111111111106, + 0.3624222222222222, + 0.36383333333333323, + 0.36524444444444437, + 0.3666555555555554, + 0.36806666666666665, + 0.3694777777777778, + 0.3708888888888888, + 0.37229999999999996, + 0.3737111111111111, + 0.37512222222222213, + 0.3765333333333333, + 0.3779444444444443, + 0.37935555555555545, + 0.3807666666666667, + 0.3821777777777777, + 0.38358888888888887, + 0.3849999999999999, + 0.38641111111111104, + 0.3878222222222222, + 0.3892333333333332, + 0.39064444444444435, + 0.3920555555555555, + 0.39346666666666663, + 0.39487777777777777, + 0.3962888888888888, + 0.39769999999999994, + 0.3991111111111111, + 0.4005222222222221, + 0.40193333333333325, + 0.4033444444444444, + 0.4047555555555554, + 0.4061666666666667, + 0.4075777777777777, + 0.40898888888888885, + 0.4104, + 0.411811111111111, + 0.41322222222222216, + 0.4146333333333333, + 0.41604444444444433, + 0.41745555555555547, + 0.4188666666666666, + 0.42027777777777775, + 0.4216888888888889, + 0.4230999999999999, + 0.42451111111111106, + 0.4259222222222222, + 0.42733333333333323, + 0.4287444444444444, + 0.4301555555555554, + 0.43156666666666665, + 0.4329777777777778, + 0.4343888888888888, + 0.43579999999999997, + 0.437211111111111, + 0.43862222222222214, + 0.4400333333333333, + 0.4414444444444443, + 0.44285555555555545, + 0.4442666666666667, + 0.44567777777777773, + 0.44708888888888887, + 0.4484999999999999, + 0.44991111111111104, + 0.4513222222222222, + 0.4527333333333332, + 0.45414444444444435 + ], + "xaxis": "x", + "y": [ + 0.1119214493578427, + 0.11389123674963807, + 0.11589880781895406, + 0.1179485712436622, + 0.12004514450583717, + 0.12219334180335291, + 0.1243981606067931, + 0.12666476690267583, + 0.12899847917315857, + 0.1314047511714267, + 0.13388915356082629, + 0.1364573544944029, + 0.13911509921978943, + 0.14186818880228708, + 0.14472245806643733, + 0.1476837528633279, + 0.15075790677725812, + 0.15395071739115035, + 0.15726792223517874, + 0.16071517454746054, + 0.16429801897925153, + 0.1680218673798988, + 0.1718919747987563, + 0.1759134158423835, + 0.18009106152554993, + 0.1844295567538889, + 0.18893329857443486, + 0.19360641532776304, + 0.1984527468320183, + 0.2034758257247809, + 0.20867886008349162, + 0.21406471743907562, + 0.21963591029046756, + 0.2253945832200338, + 0.23134250170139273, + 0.23748104268196554, + 0.24381118701274046, + 0.2503335137873153, + 0.2570481966413318, + 0.26395500205200717, + 0.27105328966569264, + 0.27834201466930913, + 0.2858197322092041, + 0.29348460384857294, + 0.3013344060420945, + 0.30936654059403434, + 0.3175780470537779, + 0.3259656169907068, + 0.334525610078596, + 0.3432540719083874, + 0.35214675343734814, + 0.3611991319723783, + 0.37040643357561437, + 0.3797636567716027, + 0.38926559742725153, + 0.39890687466854663, + 0.40868195769173693, + 0.4185851933213746, + 0.42861083416329465, + 0.4387530671973686, + 0.4490060426526854, + 0.4593639030067351, + 0.46982081195018593, + 0.48037098315995647, + 0.49100870872549635, + 0.5017283870764446, + 0.5125245502641627, + 0.5233918904549117, + 0.5343252854987264, + 0.545319823445146, + 0.5563708258849662, + 0.5674738700058585, + 0.5786248092591212, + 0.5898197925447938, + 0.6010552818328468, + 0.6123280681490223, + 0.6236352858650894, + 0.6349744252446534, + 0.6463433432071122, + 0.6577402722838557, + 0.6691638277521246, + 0.680613012943148, + 0.6920872227319802, + 0.7035862452269691, + 0.7151102616867246, + 0.7266598447019001, + 0.7382359546878733, + 0.7498399347425007, + 0.7614735039304609, + 0.7731387490622098, + 0.7848381150413151, + 0.796574393858711, + 0.8083507123164426, + 0.8201705185664981, + 0.83203756755257, + 0.8439559054439326, + 0.8559298531511705, + 0.8679639890132305, + 0.8800631307442937, + 0.8922323167273105, + 0.9044767867387435, + 0.916801962186278, + 0.9292134259379569, + 0.941716901817566, + 0.9543182338371171, + 0.9670233652331629, + 0.9798383173693809, + 0.9927691685635908, + 1.0058220328931338, + 1.019003039028462, + 1.0323183091409378, + 1.0457739379272528, + 1.0593759717897193, + 1.0731303882088699, + 1.0870430753425235, + 1.1011198118836523, + 1.1153662472081232, + 1.1297878818426796, + 1.1443900482833338, + 1.1591778921947624, + 1.1741563540221485, + 1.1893301510483727, + 1.2047037599312296, + 1.220281399757664, + 1.2360670156545046, + 1.2520642629980976, + 1.2682764922681273, + 1.2847067345941103, + 1.3013576880460052, + 1.3182317047234424, + 1.3353307787007644, + 1.3526565348875101, + 1.3702102188660252, + 1.3879926877693587, + 1.4060044022635156, + 1.4242454196983267, + 1.442715388490647, + 1.4614135438021219, + 1.4803387045714838, + 1.4994892719579973, + 1.5188632292484316, + 1.5384581432746078, + 1.5582711673822964, + 1.5782990459848583, + 1.5985381207267875, + 1.618984338273026, + 1.639633259729808, + 1.6604800716918584, + 1.6815195988991618, + 1.7027463184741842, + 1.7241543756977535, + 1.7457376012686299, + 1.7674895299784907, + 1.7894034207205707, + 1.811472277736895, + 1.8336888729959138, + 1.8560457695795998, + 1.8785353459469352, + 1.9011498209292716, + 1.9238812793024682, + 1.9467216977712316, + 1.9696629711926557, + 1.9926969388589832, + 2.0158154106539374, + 2.0390101928929245, + 2.0622731136548977, + 2.0855960474129516, + 2.1089709387716535, + 2.132389825121903, + 2.1558448580286727, + 2.179328323173321, + 2.2028326586802907, + 2.2263504716678155, + 2.249874552873784, + 2.2733978892208406, + 2.2969136741994, + 2.3204153159628937, + 2.3438964430467344, + 2.3673509076402706, + 2.3907727863600483, + 2.414156378492074, + 2.437496201690886, + 2.460786985143518, + 2.4840236602268253, + 2.507201348706976, + 2.5303153485499235, + 2.5533611174311717, + 2.57633425405201, + 2.5992304773873696, + 2.622045604007429, + 2.644775523630924, + 2.667416173082522, + 2.6899635088397362, + 2.7124134783663267, + 2.7347619904389884, + 2.757004884682289, + 2.7791379005332533, + 2.80115664586158, + 2.8230565654743507, + 2.8448329097351084, + 2.8664807035265225, + 2.887994715783438, + 2.9093694298190145, + 2.930599014661212, + 2.95167729760953, + 2.97259773821374, + 2.9933534038665472, + 3.013936947191203, + 3.0343405853934873, + 3.0545560817346376, + 3.0745747292685413, + 3.0943873369724364, + 3.1139842183860766, + 3.133355182859461, + 3.152489529494455, + 3.171376043850549, + 3.1900029974701893, + 3.2083581502642398, + 3.226428755783703, + 3.2442015693896327, + 3.261662859319268, + 3.278798420633294, + 3.295593592016029, + 3.3120332753882744, + 3.3281019582806928, + 3.343783738904373, + 3.3590623538447497, + 3.3739212082948726, + 3.3883434087345683, + 3.402311797953065, + 3.4158089923040613, + 3.428817421074365, + 3.4413193678393634, + 3.4532970136716474, + 3.464732482062025, + 3.4756078854057106, + 3.485905372900362, + 3.495607179696346, + 3.504695677134307, + 3.5131534238993485, + 3.5209632179159898, + 3.528108148803223, + 3.534571650704044, + 3.5403375552996175, + 3.545390144813968, + 3.5497142048114783, + 3.5532950765859685, + 3.556118708937386, + 3.5581717091296676, + 3.559441392821674, + 3.5599158327618947, + 3.5595839060373096, + 3.558435339667298, + 3.5564607543347546, + 3.553651706048949, + 3.5500007255380654, + 3.5455013551737387, + 3.540148183235667, + 3.533936875331131, + 3.526864202792419, + 3.518928067884609, + 3.5101275256666944, + 3.5004628023612887, + 3.4899353101012247, + 3.4785476579360597, + 3.466303658997245, + 3.4532083337376087, + 3.4392679091789664, + 3.4244898141204994, + 3.4088826702806228, + 3.3924562793656086, + 3.375221606079574, + 3.3571907571121877, + 3.33837695616257, + 3.3187945150800062, + 3.2984588012244394, + 3.277386201171552, + 3.2555940809089807, + 3.233100742691106, + 3.2099253787402264, + 3.186088022001111, + 3.1616094941741406, + 3.1365113512690668, + 3.110815826936868, + 3.0845457738507895, + 3.057724603419809, + 3.0303762241277963, + 3.0025249787997494, + 2.9741955811025345, + 2.9454130515914487, + 2.916202653615589, + 2.8865898293944214, + 2.8566001365751883, + 2.8262591855757067, + 2.795592578009901, + 2.7646258464840328, + 2.733384396040116, + 2.7018934475096286, + 2.6701779830252867, + 2.6382626939217104, + 2.606171931237163, + 2.573929659008585, + 2.5415594105308177, + 2.509084247728725, + 2.47652672376765, + 2.443908849003883, + 2.4112520603525094, + 2.3785771941255507, + 2.3459044623687104, + 2.3132534327007543, + 2.280643011635552, + 2.248091431343448, + 2.215616239786069, + 2.183234294137052, + 2.150961757380706, + 2.1188140979614727, + 2.0868060923393292, + 2.054951830290184, + 2.023264722775818, + 1.9917575121954059, + 1.960442284819761, + 1.9293304852007591, + 1.8984329323414564, + 1.8677598374076425, + 1.837320822758724, + 1.8071249420749573, + 1.7771807013592464, + 1.7474960805946531, + 1.7180785558437244, + 1.6889351215822936, + 1.660072313068735, + 1.6314962285594408, + 1.6032125511925626, + 1.5752265703745538, + 1.5475432025177078, + 1.520167010991526, + 1.4931022251662058, + 1.4663527584426428, + 1.4399222251798856, + 1.4138139564479364, + 1.3880310145507837, + 1.3625762062815507, + 1.3374520948884723, + 1.3126610107467958, + 1.288205060747711, + 1.264086136430576, + 1.2403059208992446, + 1.2168658945767337, + 1.1937673398650523, + 1.1710113447881971, + 1.1485988057065106, + 1.1265304291992257, + 1.1048067332194562, + 1.0834280476317562, + 1.0623945142468065, + 1.0417060864707675, + 1.0213625286882217, + 1.0013634154976851, + 0.9817081309171157, + 0.9623958676739738, + 0.9434256266901491, + 0.9247962168665261, + 0.9065062552652295, + 0.888554167779734, + 0.8709381903741817, + 0.8536563709635316, + 0.836706571995615, + 0.8200864737850675, + 0.803793578637442, + 0.7878252157897978, + 0.7721785471818111, + 0.7568505740591571, + 0.7418381443986258, + 0.7271379611323995, + 0.712746591137174, + 0.6986604749425666, + 0.6848759371026046, + 0.6713891971640951, + 0.6581963811566062, + 0.6452935335205726, + 0.6326766293827932, + 0.6203415870825852, + 0.6082842808467995, + 0.5965005535082313, + 0.5849862291594276, + 0.573737125632638, + 0.5627490666967229, + 0.552017893863115, + 0.5415394776954898, + 0.5313097285216123, + 0.5213246064507199, + 0.5115801306059256, + 0.5020723874882101, + 0.4927975383966397, + 0.48375182583841236, + 0.4749315788720167, + 0.4663332173371838, + 0.4579532549362082, + 0.44978830114254265, + 0.44183506192420186, + 0.43409033928130275, + 0.4265510296088743, + 0.41921412090782767, + 0.4120766888784569, + 0.4051358919420207, + 0.3983889652466517, + 0.3918332137239337, + 0.3854660042719382, + 0.3792847571491393, + 0.3732869366713826, + 0.3674700413109153, + 0.36183159330224157, + 0.3563691278642939, + 0.3510801821519831, + 0.34596228405261364, + 0.34101294094390594, + 0.33622962853044003, + 0.33160977987422485, + 0.32715077473285475, + 0.32284992931533574, + 0.31870448656121414, + 0.3147116070431815, + 0.3108683605868879, + 0.3071717186944257, + 0.30361854784983006, + 0.30020560377615363, + 0.29692952670429873, + 0.2937868377038724, + 0.2907739361160689, + 0.2878870981180175, + 0.285122476437315, + 0.28247610122468153, + 0.27994388208196863, + 0.2775216112321961, + 0.27520496780802806, + 0.27298952322519676, + 0.27087074759796853, + 0.2688440171448784, + 0.2669046225247466, + 0.2650477780354891, + 0.26326863160150465, + 0.2615622754695448, + 0.2599237575279601, + 0.258348093160114, + 0.2568302775396041, + 0.255365298272713, + 0.2539481482922485, + 0.25257383890661267, + 0.25123741290854124, + 0.2499339576494445, + 0.24865861798764663, + 0.2474066090219644, + 0.24617322852600404, + 0.2449538690031558, + 0.24374402928751684, + 0.2425393256217702, + 0.24133550214932464, + 0.2401284407647004, + 0.23891417027313552, + 0.2376888748176195, + 0.23644890153893508, + 0.2351907674417318, + 0.23391116544708143, + 0.2326069696193033, + 0.23127523956200322, + 0.22991322398520198, + 0.22851836345203805, + 0.22708829231978392, + 0.22562083989574064, + 0.22411403083393874, + 0.2225660848034145, + 0.22097541546315239, + 0.2193406287825124, + 0.21766052074912, + 0.2159340745087576, + 0.21416045698375105, + 0.2123390150177126, + 0.21046927109528185, + 0.20855091868572884, + 0.20658381725895367, + 0.2045679870215907, + 0.2025036034196109, + 0.20039099145207992, + 0.1982306198385876, + 0.19602309508038973, + 0.19376915545252, + 0.19146966496111748, + 0.189125607296999, + 0.18673807981313953, + 0.18430828755030645, + 0.1818375373315816, + 0.17932723194306446, + 0.17677886441462023, + 0.17419401241123839, + 0.17157433274240136, + 0.16892155599388128, + 0.16623748128361213, + 0.1635239711407639, + 0.16078294650488328, + 0.1580163818399933 + ], + "yaxis": "y" + }, + { + "legendgroup": "nytimes", + "marker": { + "color": "rgb(100, 0, 0)" + }, + "mode": "lines", + "name": "nytimes", + "showlegend": false, + "type": "scatter", + "x": [ + -0.0936210847975554, + -0.09295202444614212, + -0.09228296409472882, + -0.09161390374331553, + -0.09094484339190223, + -0.09027578304048894, + -0.08960672268907564, + -0.08893766233766236, + -0.08826860198624906, + -0.08759954163483577, + -0.08693048128342248, + -0.08626142093200918, + -0.0855923605805959, + -0.0849233002291826, + -0.08425423987776931, + -0.08358517952635601, + -0.08291611917494272, + -0.08224705882352942, + -0.08157799847211614, + -0.08090893812070285, + -0.08023987776928955, + -0.07957081741787625, + -0.07890175706646296, + -0.07823269671504968, + -0.07756363636363638, + -0.07689457601222309, + -0.07622551566080979, + -0.0755564553093965, + -0.07488739495798322, + -0.07421833460656992, + -0.07354927425515662, + -0.07288021390374333, + -0.07221115355233004, + -0.07154209320091674, + -0.07087303284950346, + -0.07020397249809016, + -0.06953491214667687, + -0.06886585179526358, + -0.06819679144385028, + -0.06752773109243698, + -0.0668586707410237, + -0.06618961038961041, + -0.06552055003819711, + -0.06485148968678382, + -0.06418242933537052, + -0.06351336898395724, + -0.06284430863254395, + -0.06217524828113065, + -0.061506187929717356, + -0.06083712757830406, + -0.06016806722689077, + -0.059499006875477475, + -0.05882994652406418, + -0.05816088617265089, + -0.057491825821237595, + -0.0568227654698243, + -0.056153705118411015, + -0.05548464476699772, + -0.05481558441558443, + -0.054146524064171135, + -0.05347746371275784, + -0.052808403361344555, + -0.05213934300993126, + -0.05147028265851797, + -0.050801222307104675, + -0.05013216195569138, + -0.04946310160427809, + -0.048794041252864795, + -0.0481249809014515, + -0.04745592055003821, + -0.046786860198624915, + -0.04611779984721162, + -0.04544873949579833, + -0.04477967914438504, + -0.04411061879297175, + -0.043441558441558455, + -0.04277249809014516, + -0.04210343773873187, + -0.041434377387318574, + -0.04076531703590528, + -0.04009625668449199, + -0.039427196333078694, + -0.0387581359816654, + -0.03808907563025211, + -0.037420015278838814, + -0.03675095492742553, + -0.036081894576012234, + -0.03541283422459894, + -0.034743773873185654, + -0.03407471352177236, + -0.03340565317035907, + -0.032736592818945774, + -0.03206753246753248, + -0.03139847211611919, + -0.030729411764705894, + -0.030060351413292594, + -0.029391291061879307, + -0.02872223071046602, + -0.02805317035905272, + -0.027384110007639434, + -0.026715049656226134, + -0.026045989304812847, + -0.025376928953399547, + -0.02470786860198626, + -0.02403880825057296, + -0.023369747899159674, + -0.022700687547746373, + -0.022031627196333087, + -0.021362566844919786, + -0.0206935064935065, + -0.0200244461420932, + -0.019355385790679913, + -0.018686325439266627, + -0.01801726508785334, + -0.01734820473644004, + -0.016679144385026753, + -0.016010084033613453, + -0.015341023682200167, + -0.014671963330786866, + -0.01400290297937358, + -0.01333384262796028, + -0.012664782276546993, + -0.011995721925133707, + -0.011326661573720406, + -0.01065760122230712, + -0.00998854087089382, + -0.009319480519480533, + -0.008650420168067233, + -0.007981359816653946, + -0.007312299465240646, + -0.006643239113827359, + -0.005974178762414059, + -0.005305118411000773, + -0.004636058059587472, + -0.003966997708174186, + -0.0032979373567608855, + -0.002628877005347599, + -0.0019598166539342987, + -0.0012907563025210123, + -0.0006216959511077119, + 4.736440030557454e-05, + 0.0007164247517188749, + 0.0013854851031321613, + 0.0020545454545454617, + 0.002723605805958748, + 0.0033926661573720207, + 0.004061726508785321, + 0.0047307868601986075, + 0.005399847211611908, + 0.006068907563025194, + 0.006737967914438495, + 0.007407028265851781, + 0.008076088617265081, + 0.008745148968678368, + 0.009414209320091668, + 0.010083269671504955, + 0.010752330022918255, + 0.011421390374331541, + 0.012090450725744842, + 0.012759511077158128, + 0.013428571428571429, + 0.014097631779984715, + 0.014766692131398015, + 0.015435752482811302, + 0.016104812834224602, + 0.01677387318563789, + 0.01744293353705119, + 0.018111993888464475, + 0.018781054239877776, + 0.019450114591291062, + 0.02011917494270435, + 0.02078823529411765, + 0.021457295645530935, + 0.022126355996944236, + 0.022795416348357522, + 0.023464476699770823, + 0.024133537051184095, + 0.024802597402597396, + 0.025471657754010682, + 0.026140718105423982, + 0.02680977845683727, + 0.02747883880825057, + 0.028147899159663856, + 0.028816959511077156, + 0.029486019862490442, + 0.030155080213903743, + 0.03082414056531703, + 0.03149320091673033, + 0.032162261268143616, + 0.0328313216195569, + 0.03350038197097022, + 0.0341694423223835, + 0.03483850267379679, + 0.035507563025210076, + 0.03617662337662336, + 0.03684568372803668, + 0.03751474407944996, + 0.03818380443086325, + 0.038852864782276536, + 0.03952192513368985, + 0.04019098548510314, + 0.04086004583651642, + 0.04152910618792971, + 0.042198166539343024, + 0.04286722689075631, + 0.0435362872421696, + 0.04420534759358288, + 0.0448744079449962, + 0.045543468296409484, + 0.04621252864782277, + 0.04688158899923606, + 0.04755064935064937, + 0.04821970970206266, + 0.048888770053475944, + 0.04955783040488923, + 0.050226890756302545, + 0.05089595110771583, + 0.05156501145912912, + 0.052234071810542404, + 0.05290313216195569, + 0.053572192513369005, + 0.05424125286478229, + 0.05491031321619558, + 0.055579373567608864, + 0.05624843391902215, + 0.05691749427043544, + 0.05758655462184872, + 0.05825561497326201, + 0.058924675324675324, + 0.05959373567608861, + 0.0602627960275019, + 0.060931856378915183, + 0.0616009167303285, + 0.062269977081741784, + 0.06293903743315507, + 0.06360809778456836, + 0.06427715813598167, + 0.06494621848739496, + 0.06561527883880824, + 0.06628433919022153, + 0.06695339954163484, + 0.06762245989304813, + 0.06829152024446142, + 0.0689605805958747, + 0.06962964094728799, + 0.0702987012987013, + 0.07096776165011459, + 0.07163682200152788, + 0.07230588235294116, + 0.07297494270435448, + 0.07364400305576776, + 0.07431306340718105, + 0.07498212375859434, + 0.07565118411000765, + 0.07632024446142094, + 0.07698930481283423, + 0.07765836516424751, + 0.07832742551566083, + 0.07899648586707411, + 0.0796655462184874, + 0.08033460656990069, + 0.081003666921314, + 0.08167272727272729, + 0.08234178762414057, + 0.08301084797555386, + 0.08367990832696717, + 0.08434896867838046, + 0.08501802902979375, + 0.08568708938120703, + 0.08635614973262032, + 0.08702521008403363, + 0.08769427043544692, + 0.0883633307868602, + 0.08903239113827349, + 0.0897014514896868, + 0.09037051184110009, + 0.09103957219251338, + 0.09170863254392667, + 0.09237769289533998, + 0.09304675324675327, + 0.09371581359816655, + 0.09438487394957984, + 0.09505393430099315, + 0.09572299465240644, + 0.09639205500381973, + 0.09706111535523301, + 0.09773017570664633, + 0.09839923605805961, + 0.0990682964094729, + 0.09973735676088616, + 0.10040641711229945, + 0.10107547746371276, + 0.10174453781512605, + 0.10241359816653933, + 0.10308265851795262, + 0.10375171886936593, + 0.10442077922077922, + 0.1050898395721925, + 0.10575889992360579, + 0.1064279602750191, + 0.1070970206264324, + 0.10776608097784568, + 0.10843514132925897, + 0.10910420168067228, + 0.10977326203208557, + 0.11044232238349885, + 0.11111138273491214, + 0.11178044308632545, + 0.11244950343773874, + 0.11311856378915203, + 0.11378762414056531, + 0.11445668449197863, + 0.11512574484339191, + 0.1157948051948052, + 0.11646386554621849, + 0.11713292589763177, + 0.11780198624904509, + 0.11847104660045837, + 0.11914010695187166, + 0.11980916730328495, + 0.12047822765469826, + 0.12114728800611155, + 0.12181634835752483, + 0.12248540870893812, + 0.12315446906035143, + 0.12382352941176472, + 0.12449258976317801, + 0.1251616501145913, + 0.1258307104660046, + 0.1264997708174179, + 0.12716883116883118, + 0.12783789152024447, + 0.12850695187165778, + 0.12917601222307107, + 0.12984507257448435, + 0.13051413292589764, + 0.13118319327731096, + 0.13185225362872424, + 0.13252131398013753, + 0.13319037433155081, + 0.1338594346829641, + 0.13452849503437742, + 0.1351975553857907, + 0.135866615737204, + 0.13653567608861727, + 0.1372047364400306, + 0.13787379679144388, + 0.13854285714285716, + 0.13921191749427045, + 0.13988097784568376, + 0.14055003819709705, + 0.14121909854851034, + 0.1418881588999236, + 0.1425572192513369, + 0.1432262796027502, + 0.14389533995416348, + 0.14456440030557677, + 0.14523346065699008, + 0.14590252100840337, + 0.14657158135981666, + 0.14724064171122994, + 0.14790970206264323, + 0.14857876241405654, + 0.14924782276546983, + 0.14991688311688312, + 0.1505859434682964, + 0.15125500381970972, + 0.151924064171123, + 0.1525931245225363, + 0.15326218487394958, + 0.1539312452253629, + 0.15460030557677618, + 0.15526936592818946, + 0.15593842627960275, + 0.15660748663101606, + 0.15727654698242935, + 0.15794560733384264, + 0.15861466768525592, + 0.1592837280366692, + 0.1599527883880825, + 0.16062184873949584, + 0.16129090909090912, + 0.1619599694423224, + 0.1626290297937357, + 0.16329809014514898, + 0.16396715049656227, + 0.16463621084797556, + 0.16530527119938884, + 0.16597433155080213, + 0.16664339190221547, + 0.16731245225362876, + 0.16798151260504204, + 0.16865057295645533, + 0.16931963330786862, + 0.1699886936592819, + 0.1706577540106952, + 0.17132681436210848, + 0.17199587471352182, + 0.1726649350649351, + 0.1733339954163484, + 0.17400305576776168, + 0.17467211611917496, + 0.17534117647058825, + 0.17601023682200154, + 0.17667929717341482, + 0.17734835752482817, + 0.17801741787624145, + 0.17868647822765474, + 0.17935553857906802, + 0.1800245989304813, + 0.1806936592818946, + 0.18136271963330788, + 0.18203177998472117, + 0.18270084033613446, + 0.1833699006875478, + 0.18403896103896109, + 0.18470802139037437, + 0.18537708174178766, + 0.18604614209320094, + 0.18671520244461423, + 0.18738426279602752, + 0.1880533231474408, + 0.18872238349885415, + 0.18939144385026743, + 0.19006050420168072, + 0.190729564553094, + 0.1913986249045073, + 0.19206768525592058, + 0.19273674560733386, + 0.19340580595874715, + 0.1940748663101605, + 0.19474392666157378, + 0.19541298701298707, + 0.19608204736440035, + 0.19675110771581364, + 0.19742016806722693, + 0.1980892284186402, + 0.1987582887700535, + 0.19942734912146678, + 0.20009640947288013, + 0.2007654698242934, + 0.2014345301757067, + 0.20210359052712, + 0.20277265087853327, + 0.20344171122994656, + 0.20411077158135985, + 0.20477983193277313, + 0.20544889228418647, + 0.2061179526355997, + 0.206787012987013, + 0.20745607333842628, + 0.20812513368983956, + 0.20879419404125285, + 0.20946325439266614, + 0.21013231474407942, + 0.21080137509549277, + 0.21147043544690605, + 0.21213949579831934, + 0.21280855614973263, + 0.2134776165011459, + 0.2141466768525592, + 0.21481573720397248, + 0.21548479755538577, + 0.21615385790679906, + 0.2168229182582124, + 0.21749197860962569, + 0.21816103896103897, + 0.21883009931245226, + 0.21949915966386555, + 0.22016822001527883, + 0.22083728036669212, + 0.2215063407181054, + 0.22217540106951875, + 0.22284446142093203, + 0.22351352177234532, + 0.2241825821237586, + 0.2248516424751719, + 0.22552070282658518, + 0.22618976317799847, + 0.22685882352941175, + 0.2275278838808251, + 0.22819694423223838, + 0.22886600458365167, + 0.22953506493506495, + 0.23020412528647824, + 0.23087318563789153, + 0.2315422459893048, + 0.2322113063407181, + 0.23288036669213139, + 0.23354942704354473, + 0.234218487394958, + 0.2348875477463713, + 0.2355566080977846, + 0.23622566844919787, + 0.23689472880061116, + 0.23756378915202445, + 0.23823284950343773, + 0.23890190985485107, + 0.23957097020626436, + 0.24024003055767765 + ], + "xaxis": "x", + "y": [ + 0.257431749226856, + 0.25907780242672596, + 0.26067604464043903, + 0.2622293060445771, + 0.26374065129083907, + 0.26521337543118145, + 0.2666509991379067, + 0.26805726323021073, + 0.269436122521588, + 0.2707917390053025, + 0.2721284743979349, + 0.2734508820637347, + 0.27476369834517556, + 0.27607183332768115, + 0.277380361068982, + 0.2786945093259409, + 0.280019648813952, + 0.2813612820361585, + 0.2827250317217373, + 0.2841166289143709, + 0.2855419007537158, + 0.28700675799425024, + 0.2885171823072418, + 0.29007921341280374, + 0.2916989360900195, + 0.2933824671139761, + 0.2951359421691925, + 0.2969655027893996, + 0.2988772833739039, + 0.30087739833084143, + 0.30297192939751144, + 0.3051669131876722, + 0.3074683290151627, + 0.3098820870425312, + 0.3124140168024356, + 0.3150698561385326, + 0.31785524061128145, + 0.32077569341266365, + 0.3238366158321985, + 0.32704327831484775, + 0.33040081214945394, + 0.3339142018242601, + 0.3375882780837945, + 0.3414277117190224, + 0.34543700812013234, + 0.3496205026186776, + 0.3539823566430272, + 0.3585265547082075, + 0.36325690225824797, + 0.3681770243760825, + 0.37329036537293786, + 0.37860018926591743, + 0.38410958114925403, + 0.38982144946138464, + 0.3957385291466637, + 0.40186338570716484, + 0.40819842013663826, + 0.4147458747253003, + 0.421507839720755, + 0.4284862608269765, + 0.43568294751993975, + 0.4430995821551964, + 0.45073772983941557, + 0.4585988490347342, + 0.4666843028616089, + 0.47499537106282397, + 0.48353326258833207, + 0.49229912875773496, + 0.5012940769544548, + 0.5105191848029882, + 0.519975514778116, + 0.5296641291925506, + 0.5395861055072562, + 0.5497425519065753, + 0.5601346230783647, + 0.5707635361375668, + 0.5816305866300514, + 0.5927371645521528, + 0.6040847703200942, + 0.6156750306224823, + 0.6275097140882191, + 0.6395907467015683, + 0.6519202268957265, + 0.6645004402560548, + 0.677333873764193, + 0.6904232295145429, + 0.703771437835134, + 0.7173816697456145, + 0.7312573486861255, + 0.7454021614520161, + 0.7598200682708628, + 0.7745153119599456, + 0.7894924261043144, + 0.8047562421977706, + 0.8203118956915452, + 0.8361648308981258, + 0.8523208047006114, + 0.8687858890211293, + 0.8855664720052099, + 0.9026692578826262, + 0.9201012654690052, + 0.93786982527653, + 0.955982575206269, + 0.9744474547990519, + 0.9932726980263906, + 1.0124668246076545, + 1.032038629844631, + 1.0519971729695463, + 1.0723517640078404, + 1.0931119491621457, + 1.1142874947293095, + 1.135888369567652, + 1.1579247261371082, + 1.180406880140386, + 1.2033452887987468, + 1.2267505278014914, + 1.250633266973687, + 1.2750042447120544, + 1.2998742412442585, + 1.3252540507720598, + 1.3511544525638757, + 1.3775861810672816, + 1.4045598951167375, + 1.4320861463164374, + 1.460175346682598, + 1.4888377356335887, + 1.5180833464202814, + 1.5479219720925588, + 1.5783631311012694, + 1.60941603263794, + 1.6410895418171674, + 1.6733921448089997, + 1.706331914030499, + 1.739916473507281, + 1.7741529645169318, + 1.809048011627008, + 1.8446076892405892, + 1.8808374887622563, + 1.917742286496841, + 1.9553263123922362, + 1.993593119736146, + 2.0325455559147434, + 2.0721857343388237, + 2.112515007640266, + 2.1535339422383575, + 2.1952422943718166, + 2.2376389876883094, + 2.2807220924786265, + 2.3244888066378357, + 2.368935438430348, + 2.414057391130166, + 2.4598491496015087, + 2.5063042688787025, + 2.5534153647974334, + 2.6011741067226333, + 2.649571212410935, + 2.698596445038325, + 2.748238612415869, + 2.7984855684087333, + 2.849324216565719, + 2.9007405159585735, + 2.952719489222291, + 3.005245232779556, + 3.0583009292243415, + 3.111868861831842, + 3.165930431153851, + 3.2204661736510407, + 3.2754557823059205, + 3.330878129152968, + 3.3867112896551066, + 3.4429325688490433, + 3.499518529175261, + 3.556445019902343, + 3.6136872080495106, + 3.6712196107057364, + 3.7290161286390355, + 3.7870500810847867, + 3.8452942415982387, + 3.9037208748526093, + 3.9623017742614794, + 4.021008300301645, + 4.079811419410893, + 4.138681743333905, + 4.197589568788897, + 4.256504917327553, + 4.315397575261456, + 4.374237133529298, + 4.43299302738111, + 4.491634575757955, + 4.550131020248617, + 4.60845156350831, + 4.666565407028521, + 4.7244417881517515, + 4.782050016229995, + 4.839359507831478, + 4.896339820906232, + 4.9529606878275585, + 5.009192047233311, + 5.0650040745982325, + 5.120367211476071, + 5.175252193357995, + 5.229630076101989, + 5.283472260896057, + 5.336750517726412, + 5.389437007330381, + 5.441504301622225, + 5.4929254025885035, + 5.543673759658158, + 5.593723285560768, + 5.643048370694622, + 5.691623896034257, + 5.739425244614835, + 5.786428311638144, + 5.8326095132522084, + 5.877945794063086, + 5.922414633443843, + 5.9659940507115135, + 6.008662609248137, + 6.050399419646922, + 6.091184141968688, + 6.1309969871976095, + 6.169818717988159, + 6.2076306487978155, + 6.244414645501711, + 6.280153124586747, + 6.314829052023031, + 6.348425941910504, + 6.380927854997637, + 6.412319397167737, + 6.442585717986181, + 6.471712509399242, + 6.499686004671577, + 6.526492977645788, + 6.552120742402568, + 6.576557153395176, + 6.599790606126066, + 6.621810038427679, + 6.642604932402649, + 6.662165317071966, + 6.680481771772156, + 6.697545430335066, + 6.7133479860760055, + 6.727881697607805, + 6.74113939549029, + 6.75311448971621, + 6.7638009780263415, + 6.7731934550380855, + 6.781287122163487, + 6.7880777982844664, + 6.793561931144895, + 6.7977366094112925, + 6.800599575346341, + 6.802149238032101, + 6.8023846870727915, + 6.801305706700587, + 6.798912790201601, + 6.795207154573765, + 6.790190755322986, + 6.783866301299657, + 6.776237269473308, + 6.767307919540076, + 6.757083308254648, + 6.745569303376472, + 6.732772597118284, + 6.718700718984493, + 6.703362047886596, + 6.6867658234235225, + 6.668922156215956, + 6.649842037185597, + 6.629537345672872, + 6.608020856289857, + 6.58530624440891, + 6.561408090192025, + 6.536341881070856, + 6.510124012593004, + 6.482771787556166, + 6.454303413358331, + 6.42473799749924, + 6.3940955411757265, + 6.3623969309213555, + 6.329663928248871, + 6.2959191572623965, + 6.261186090214855, + 6.225489030995045, + 6.188853096537589, + 6.151304196158041, + 6.112869008824627, + 6.073574958387004, + 6.033450186791467, + 5.992523525320983, + 5.950824463907128, + 5.9083831185696205, + 5.865230197047282, + 5.82139696269257, + 5.776915196709279, + 5.731817158820472, + 5.686135546460698, + 5.639903452592981, + 5.593154322257205, + 5.5459219079621285, + 5.498240224038266, + 5.45014350007348, + 5.401666133557127, + 5.352842641862028, + 5.303707613696367, + 5.254295660159962, + 5.204641365540953, + 5.154779237990133, + 5.104743660210597, + 5.054568840300272, + 5.004288762884272, + 4.953937140672764, + 4.9035473665781755, + 4.853152466523285, + 4.802785053068835, + 4.752477279985878, + 4.702260797894259, + 4.652166711084256, + 4.602225535633606, + 4.552467158927049, + 4.502920800679867, + 4.453614975561029, + 4.404577457505365, + 4.35583524579763, + 4.307414533004601, + 4.259340674824434, + 4.211638161915219, + 4.164330593757612, + 4.117440654598816, + 4.070990091517919, + 4.024999694644874, + 3.9794892795582077, + 3.9344776718787653, + 3.889982694069667, + 3.846021154445142, + 3.802608838383905, + 3.7597605017355966, + 3.7174898664020715, + 3.6758096180686173, + 3.634731406053944, + 3.5942658452415, + 3.5544225200489916, + 3.515209990387396, + 3.476635799555493, + 3.4387064840112065, + 3.4014275849564033, + 3.3648036616676986, + 3.3288383065020097, + 3.2935341615021985, + 3.2588929365251142, + 3.2249154288117, + 3.1916015439165206, + 3.15895031791233, + 3.126959940783605, + 3.095627780922052, + 3.0649504106361674, + 3.0349236325866795, + 3.00554250705956, + 2.976801379988608, + 2.948693911640268, + 2.921213105874153, + 2.8943513398940723, + 2.8681003944057557, + 2.8424514840992163, + 2.8173952883756668, + 2.7929219822410905, + 2.7690212672909165, + 2.7456824027127738, + 2.7228942362370487, + 2.700645234967731, + 2.678923516028994, + 2.6577168769659534, + 2.6370128258411376, + 2.6167986109713253, + 2.5970612502525707, + 2.5777875600243663, + 2.558964183427068, + 2.540577618209857, + 2.522614243949514, + 2.5050603486434033, + 2.48790215464293, + 2.4711258438966937, + 2.4547175824752614, + 2.4386635443522127, + 2.4229499344186882, + 2.4075630107110917, + 2.392489105833947, + 2.377714647562202, + 2.3632261786092146, + 2.3490103755488003, + 2.3350540668814603, + 2.321344250236668, + 2.307868108704733, + 2.2946130262932702, + 2.2815666025046566, + 2.268716666032254, + 2.2560512875743086, + 2.243558791765659, + 2.2312277682284076, + 2.219047081743744, + 2.207005881548044, + 2.1950936097573797, + 2.1833000089253125, + 2.1716151287398877, + 2.160029331866498, + 2.148533298944189, + 2.137118032743871, + 2.1257748614977534, + 2.114495441410302, + 2.103271758361898, + 2.092096128817444, + 2.0809611999531543, + 2.06985994901586, + 2.0587856819303187, + 2.0477320311711957, + 2.0366929529176137, + 2.025662723509504, + 2.0146359352262864, + 2.0036074914098627, + 1.992572600955272, + 1.9815267721939018, + 1.9704658061955722, + 1.959385789517412, + 1.9482830864289087, + 1.937154330644064, + 1.9259964165931673, + 1.914806490268085, + 1.903581939676528, + 1.8923203849421348, + 1.8810196680885405, + 1.869677842546926, + 1.8582931624276864, + 1.846864071597943, + 1.8353891926076429, + 1.8238673155077239, + 1.8122973866046215, + 1.8006784971958294, + 1.7890098723316714, + 1.7772908596485477, + 1.7655209183190004, + 1.7536996081636524, + 1.7418265789697387, + 1.7299015600602836, + 1.7179243501571784, + 1.7058948075803226, + 1.693812840823763, + 1.681678399548222, + 1.669491466027745, + 1.6572520470862386, + 1.6449601665575073, + 1.6326158583001502, + 1.6202191597960238, + 1.6077701063583416, + 1.595268725972565, + 1.5827150347901602, + 1.5701090332921481, + 1.5574507031360019, + 1.5447400046960156, + 1.5319768753037701, + 1.5191612281916653, + 1.5062929521388393, + 1.49337191181513, + 1.4803979488149868, + 1.4673708833695467, + 1.4542905167214544, + 1.4411566341433526, + 1.4279690085774492, + 1.414727404870132, + 1.4014315845722791, + 1.3880813112727102, + 1.3746763564292535, + 1.3612165056589918, + 1.347701565446674, + 1.3341313702278172, + 1.320505789800807, + 1.3068247370203963, + 1.2930881757232693, + 1.2792961288349225, + 1.265448686605967, + 1.251546014925089, + 1.23758836365534, + 1.2235760749401585, + 1.2095095914255247, + 1.1953894643450238, + 1.181216361415155, + 1.166991074489194, + 1.1527145269190875, + 1.1383877805763476, + 1.124012042484698, + 1.1095886710192233, + 1.0951191816290433, + 1.0806052520430514, + 1.0660487269209888, + 1.051451621915052, + 1.0368161271103418, + 1.0221446098157663, + 1.0074396166804456, + 0.9927038751141912, + 0.9779402939943832, + 0.9631519636452011 + ], + "yaxis": "y" + }, + { + "legendgroup": "naturalnews", + "marker": { + "color": "rgb(200, 0, 200)" + }, + "mode": "lines", + "name": "naturalnews", + "showlegend": false, + "type": "scatter", + "x": [ + 0.0017189586114819736, + 0.0020464730752113905, + 0.0023739875389408075, + 0.002701502002670225, + 0.003029016466399642, + 0.0033565309301290588, + 0.0036840453938584757, + 0.004011559857587893, + 0.00433907432131731, + 0.004666588785046727, + 0.0049941032487761435, + 0.0053216177125055605, + 0.005649132176234977, + 0.005976646639964394, + 0.006304161103693811, + 0.006631675567423228, + 0.006959190031152645, + 0.007286704494882064, + 0.007614218958611479, + 0.007941733422340898, + 0.008269247886070313, + 0.008596762349799732, + 0.008924276813529147, + 0.009251791277258566, + 0.009579305740987983, + 0.0099068202047174, + 0.010234334668446816, + 0.010561849132176233, + 0.01088936359590565, + 0.011216878059635067, + 0.011544392523364484, + 0.011871906987093901, + 0.012199421450823318, + 0.012526935914552735, + 0.012854450378282154, + 0.013181964842011569, + 0.013509479305740986, + 0.013836993769470403, + 0.014164508233199822, + 0.014492022696929237, + 0.014819537160658654, + 0.015147051624388072, + 0.01547456608811749, + 0.015802080551846905, + 0.01612959501557632, + 0.01645710947930574, + 0.016784623943035155, + 0.017112138406764572, + 0.01743965287049399, + 0.017767167334223403, + 0.018094681797952823, + 0.01842219626168224, + 0.018749710725411657, + 0.019077225189141074, + 0.01940473965287049, + 0.019732254116599908, + 0.020059768580329325, + 0.020387283044058742, + 0.02071479750778816, + 0.021042311971517576, + 0.021369826435246993, + 0.02169734089897641, + 0.022024855362705827, + 0.022352369826435244, + 0.02267988429016466, + 0.023007398753894077, + 0.023334913217623494, + 0.02366242768135291, + 0.023989942145082332, + 0.024317456608811745, + 0.024644971072541162, + 0.02497248553627058, + 0.025299999999999996, + 0.025627514463729413, + 0.02595502892745883, + 0.026282543391188247, + 0.026610057854917667, + 0.02693757231864708, + 0.027265086782376498, + 0.027592601246105918, + 0.02792011570983533, + 0.02824763017356475, + 0.02857514463729417, + 0.028902659101023583, + 0.029230173564753003, + 0.029557688028482416, + 0.029885202492211833, + 0.030212716955941254, + 0.030540231419670667, + 0.030867745883400084, + 0.031195260347129505, + 0.03152277481085892, + 0.03185028927458834, + 0.03217780373831776, + 0.03250531820204717, + 0.03283283266577659, + 0.03316034712950601, + 0.03348786159323543, + 0.03381537605696484, + 0.03414289052069426, + 0.03447040498442368, + 0.03479791944815309, + 0.03512543391188251, + 0.03545294837561193, + 0.035780462839341345, + 0.03610797730307076, + 0.03643549176680018, + 0.036763006230529596, + 0.03709052069425901, + 0.03741803515798843, + 0.03774554962171785, + 0.038073064085447264, + 0.03840057854917668, + 0.0387280930129061, + 0.039055607476635515, + 0.03938312194036493, + 0.03971063640409435, + 0.04003815086782376, + 0.04036566533155318, + 0.0406931797952826, + 0.04102069425901202, + 0.041348208722741434, + 0.04167572318647085, + 0.04200323765020027, + 0.042330752113929684, + 0.0426582665776591, + 0.04298578104138852, + 0.043313295505117935, + 0.04364080996884735, + 0.04396832443257677, + 0.044295838896306186, + 0.0446233533600356, + 0.04495086782376502, + 0.04527838228749444, + 0.045605896751223854, + 0.04593341121495327, + 0.046260925678682695, + 0.046588440142412105, + 0.04691595460614152, + 0.047243469069870946, + 0.047570983533600356, + 0.04789849799732977, + 0.04822601246105919, + 0.048553526924788606, + 0.04888104138851802, + 0.04920855585224744, + 0.04953607031597686, + 0.049863584779706274, + 0.05019109924343569, + 0.05051861370716511, + 0.050846128170894525, + 0.05117364263462394, + 0.051501157098353366, + 0.051828671562082776, + 0.05215618602581219, + 0.05248370048954162, + 0.05281121495327103, + 0.053138729417000444, + 0.05346624388072987, + 0.05379375834445928, + 0.054121272808188695, + 0.05444878727191812, + 0.05477630173564753, + 0.055103816199376945, + 0.05543133066310637, + 0.05575884512683578, + 0.056086359590565196, + 0.05641387405429461, + 0.05674138851802404, + 0.05706890298175345, + 0.057396417445482864, + 0.05772393190921229, + 0.0580514463729417, + 0.058378960836671115, + 0.05870647530040054, + 0.05903398976412995, + 0.059361504227859366, + 0.05968901869158879, + 0.0600165331553182, + 0.06034404761904762, + 0.06067156208277704, + 0.06099907654650645, + 0.06132659101023587, + 0.06165410547396529, + 0.06198161993769471, + 0.06230913440142412, + 0.06263664886515354, + 0.06296416332888295, + 0.06329167779261237, + 0.06361919225634179, + 0.0639467067200712, + 0.06427422118380062, + 0.06460173564753004, + 0.06492925011125945, + 0.06525676457498887, + 0.06558427903871829, + 0.06591179350244769, + 0.06623930796617712, + 0.06656682242990654, + 0.06689433689363596, + 0.06722185135736537, + 0.06754936582109479, + 0.06787688028482419, + 0.06820439474855362, + 0.06853190921228304, + 0.06885942367601246, + 0.06918693813974187, + 0.06951445260347129, + 0.06984196706720071, + 0.07016948153093011, + 0.07049699599465954, + 0.07082451045838896, + 0.07115202492211838, + 0.07147953938584779, + 0.07180705384957721, + 0.07213456831330661, + 0.07246208277703604, + 0.07278959724076546, + 0.07311711170449488, + 0.0734446261682243, + 0.07377214063195371, + 0.07409965509568311, + 0.07442716955941255, + 0.07475468402314196, + 0.07508219848687138, + 0.0754097129506008, + 0.07573722741433021, + 0.07606474187805963, + 0.07639225634178905, + 0.07671977080551846, + 0.07704728526924788, + 0.0773747997329773, + 0.07770231419670671, + 0.07802982866043613, + 0.07835734312416553, + 0.07868485758789497, + 0.07901237205162438, + 0.0793398865153538, + 0.07966740097908322, + 0.07999491544281263, + 0.08032242990654205, + 0.08064994437027147, + 0.08097745883400088, + 0.0813049732977303, + 0.08163248776145972, + 0.08196000222518914, + 0.08228751668891855, + 0.08261503115264797, + 0.08294254561637739, + 0.0832700600801068, + 0.08359757454383622, + 0.08392508900756564, + 0.08425260347129505, + 0.08458011793502448, + 0.08490763239875389, + 0.0852351468624833, + 0.08556266132621272, + 0.08589017578994214, + 0.08621769025367156, + 0.08654520471740097, + 0.08687271918113039, + 0.0872002336448598, + 0.08752774810858922, + 0.08785526257231864, + 0.08818277703604806, + 0.08851029149977747, + 0.08883780596350689, + 0.08916532042723631, + 0.08949283489096573, + 0.08982034935469514, + 0.09014786381842456, + 0.09047537828215398, + 0.0908028927458834, + 0.09113040720961281, + 0.09145792167334223, + 0.09178543613707164, + 0.09211295060080106, + 0.09244046506453048, + 0.09276797952825991, + 0.09309549399198931, + 0.09342300845571873, + 0.09375052291944815, + 0.09407803738317756, + 0.09440555184690698, + 0.0947330663106364, + 0.09506058077436583, + 0.09538809523809523, + 0.09571560970182465, + 0.09604312416555406, + 0.09637063862928348, + 0.0966981530930129, + 0.09702566755674233, + 0.09735318202047173, + 0.09768069648420115, + 0.09800821094793057, + 0.09833572541165998, + 0.0986632398753894, + 0.09899075433911883, + 0.09931826880284823, + 0.09964578326657765, + 0.09997329773030707, + 0.10030081219403648, + 0.1006283266577659, + 0.10095584112149533, + 0.10128335558522475, + 0.10161087004895415, + 0.10193838451268357, + 0.10226589897641299, + 0.1025934134401424, + 0.10292092790387182, + 0.10324844236760125, + 0.10357595683133065, + 0.10390347129506007, + 0.10423098575878949, + 0.1045585002225189, + 0.10488601468624832, + 0.10521352914997775, + 0.10554104361370717, + 0.10586855807743657, + 0.10619607254116599, + 0.1065235870048954, + 0.10685110146862482, + 0.10717861593235425, + 0.10750613039608367, + 0.10783364485981307, + 0.10816115932354249, + 0.10848867378727191, + 0.10881618825100133, + 0.10914370271473076, + 0.10947121717846017, + 0.10979873164218958, + 0.11012624610591899, + 0.11045376056964841, + 0.11078127503337783, + 0.11110878949710724, + 0.11143630396083667, + 0.11176381842456609, + 0.1120913328882955, + 0.11241884735202491, + 0.11274636181575433, + 0.11307387627948375, + 0.11340139074321318, + 0.1137289052069426, + 0.114056419670672, + 0.11438393413440141, + 0.11471144859813083, + 0.11503896306186025, + 0.11536647752558968, + 0.1156939919893191, + 0.11602150645304851, + 0.11634902091677791, + 0.11667653538050733, + 0.11700404984423675, + 0.11733156430796618, + 0.1176590787716956, + 0.11798659323542501, + 0.11831410769915442, + 0.11864162216288383, + 0.11896913662661325, + 0.11929665109034267, + 0.1196241655540721, + 0.11995168001780152, + 0.12027919448153092, + 0.12060670894526034, + 0.12093422340898975, + 0.12126173787271917, + 0.1215892523364486, + 0.12191676680017802, + 0.12224428126390743, + 0.12257179572763684, + 0.12289931019136625, + 0.12322682465509567, + 0.1235543391188251, + 0.12388185358255452, + 0.12420936804628394, + 0.12453688251001334, + 0.12486439697374276, + 0.1251919114374722, + 0.1255194259012016, + 0.12584694036493102, + 0.12617445482866044, + 0.12650196929238985, + 0.12682948375611927, + 0.1271569982198487, + 0.1274845126835781, + 0.12781202714730752, + 0.12813954161103694, + 0.12846705607476636, + 0.12879457053849577, + 0.1291220850022252, + 0.1294495994659546, + 0.129777113929684, + 0.1301046283934134, + 0.13043214285714283, + 0.13075965732087227, + 0.1310871717846017, + 0.1314146862483311, + 0.13174220071206053, + 0.13206971517578994, + 0.13239722963951936, + 0.13272474410324878, + 0.1330522585669782, + 0.1333797730307076, + 0.13370728749443703, + 0.13403480195816642, + 0.13436231642189583, + 0.13468983088562528, + 0.1350173453493547, + 0.1353448598130841, + 0.13567237427681353, + 0.13599988874054295, + 0.13632740320427236, + 0.13665491766800178, + 0.1369824321317312, + 0.1373099465954606, + 0.13763746105919003, + 0.13796497552291945, + 0.13829248998664884, + 0.13862000445037825, + 0.1389475189141077, + 0.13927503337783712, + 0.13960254784156653, + 0.13993006230529595, + 0.14025757676902537, + 0.14058509123275478, + 0.1409126056964842, + 0.14124012016021362, + 0.14156763462394303, + 0.14189514908767245, + 0.14222266355140184, + 0.14255017801513126, + 0.1428776924788607, + 0.14320520694259012, + 0.14353272140631954, + 0.14386023587004895, + 0.14418775033377837, + 0.1445152647975078, + 0.1448427792612372, + 0.14517029372496662, + 0.14549780818869604, + 0.14582532265242545, + 0.14615283711615487, + 0.14648035157988426, + 0.14680786604361368, + 0.14713538050734312, + 0.14746289497107254, + 0.14779040943480196, + 0.14811792389853137, + 0.1484454383622608, + 0.1487729528259902, + 0.14910046728971962, + 0.14942798175344904, + 0.14975549621717846, + 0.15008301068090787, + 0.1504105251446373, + 0.15073803960836668, + 0.15106555407209613, + 0.15139306853582554, + 0.15172058299955496, + 0.15204809746328438, + 0.1523756119270138, + 0.1527031263907432, + 0.15303064085447263, + 0.15335815531820204, + 0.15368566978193146, + 0.15401318424566088, + 0.1543406987093903, + 0.1546682131731197, + 0.1549957276368491, + 0.15532324210057855, + 0.15565075656430796, + 0.15597827102803738, + 0.1563057854917668, + 0.1566332999554962, + 0.15696081441922563, + 0.15728832888295505, + 0.15761584334668446, + 0.15794335781041388, + 0.1582708722741433, + 0.15859838673787272, + 0.15892590120160213, + 0.15925341566533155, + 0.15958093012906097, + 0.15990844459279038, + 0.1602359590565198, + 0.16056347352024922, + 0.16089098798397863, + 0.16121850244770805, + 0.16154601691143747, + 0.16187353137516688, + 0.1622010458388963, + 0.16252856030262572, + 0.16285607476635514, + 0.16318358923008452, + 0.16351110369381397, + 0.1638386181575434, + 0.1641661326212728, + 0.16449364708500222, + 0.16482116154873164, + 0.16514867601246105 + ], + "xaxis": "x", + "y": [ + 3.0385594733401313, + 3.0721747471756626, + 3.105686460615302, + 3.1390878098172967, + 3.172372205821726, + 3.2055332843644133, + 3.238564915470954, + 3.2714612128125333, + 3.304216542805451, + 3.3368255334363623, + 3.3692830827955063, + 3.4015843673004222, + 3.433724849592925, + 3.465700286092471, + 3.4975067341893653, + 3.5291405590616693, + 3.560598440100126, + 3.5918773769258294, + 3.6229746949859503, + 3.6538880507133005, + 3.6846154362361094, + 3.715155183625058, + 3.745505968665148, + 3.775666814140769, + 3.8056370926229786, + 3.8354165287487465, + 3.8650052009827287, + 3.8944035428528783, + 3.9236123436520924, + 3.952632748598897, + 3.9814662584510616, + 4.010114728566966, + 4.03858036741045, + 4.066865734495795, + 4.094973737770508, + 4.122907630434517, + 4.150671007195388, + 4.178267799960237, + 4.2057022729659295, + 4.2329790173503135, + 4.260102945168176, + 4.287079282856728, + 4.313913564156393, + 4.340611622493842, + 4.3671795828351145, + 4.393623853017871, + 4.4199511145727275, + 4.446168313044737, + 4.472282647827088, + 4.498301561520074, + 4.524232728829409, + 4.550084045018929, + 4.575863613933709, + 4.601579735610487, + 4.6272408934932905, + 4.652855741272992, + 4.678433089370369, + 4.703981891083124, + 4.7295112284180565, + 4.755030297630365, + 4.780548394492798, + 4.80607489931799, + 4.831619261758048, + 4.857190985405974, + 4.882799612224105, + 4.908454706825249, + 4.934165840632659, + 4.959942575945369, + 4.985794449935807, + 5.011730958606916, + 5.037761540736177, + 5.063895561834258, + 5.090142298146038, + 5.116510920721901, + 5.1430104795872005, + 5.169649888037759, + 5.196437907089197, + 5.223383130107704, + 5.25049396764967, + 5.277778632537367, + 5.305245125197418, + 5.332901219288605, + 5.360754447644874, + 5.388812088559133, + 5.417081152432686, + 5.445568368814638, + 5.474280173854889, + 5.503222698193589, + 5.53240175530921, + 5.561822830346445, + 5.591491069444383, + 5.621411269584327, + 5.651587868975808, + 5.6820249379981576, + 5.7127261707140295, + 5.743694876970108, + 5.774933975099086, + 5.806445985235839, + 5.838233023259446, + 5.870296795371495, + 5.902638593319804, + 5.935259290275402, + 5.968159337369268, + 6.001338760893932, + 6.034797160173818, + 6.068533706106611, + 6.1025471403767595, + 6.13683577534064, + 6.171397494581697, + 6.206229754132238, + 6.241329584357449, + 6.276693592495511, + 6.312317965846596, + 6.348198475601899, + 6.384330481302749, + 6.420708935918325, + 6.457328391529317, + 6.494183005603568, + 6.531266547848433, + 6.568572407623479, + 6.606093601895914, + 6.643822783719974, + 6.681752251220503, + 6.719873957059822, + 6.758179518366045, + 6.796660227100057, + 6.835307060837435, + 6.874110693940844, + 6.91306150909759, + 6.952149609196362, + 6.991364829516529, + 7.030696750202761, + 7.0701347089972675, + 7.1096678142015035, + 7.149284957838777, + 7.1889748289889175, + 7.228725927266004, + 7.268526576409848, + 7.308364937961986, + 7.348229024996871, + 7.388106715878995, + 7.427985768016899, + 7.467853831585134, + 7.507698463185611, + 7.547507139420156, + 7.587267270346366, + 7.626966212789639, + 7.66659128348453, + 7.706129772019464, + 7.7455689535594345, + 7.78489610132209, + 7.824098498783525, + 7.863163451590921, + 7.9020782991601735, + 7.940830425937648, + 7.9794072723063, + 8.01779634511747, + 8.055985227830869, + 8.093961590246456, + 8.131713197813156, + 8.169227920500703, + 8.2064937412221, + 8.243498763795706, + 8.280231220437146, + 8.316679478772796, + 8.352832048367892, + 8.388677586763855, + 8.42420490502075, + 8.459402972762286, + 8.494260922722292, + 8.528768054792845, + 8.562913839575932, + 8.59668792144169, + 8.630080121097858, + 8.6630804376764, + 8.695679050344628, + 8.727866319449499, + 8.759632787205048, + 8.79096917793427, + 8.821866397877887, + 8.852315534583722, + 8.88230785589151, + 8.911834808529076, + 8.94088801633686, + 8.969459278138784, + 8.99754056527833, + 9.02512401883964, + 9.052201946574222, + 9.07876681955456, + 9.104811268576672, + 9.130328080334213, + 9.155310193387239, + 9.179750693949282, + 9.203642811516682, + 9.226979914364486, + 9.249755504933466, + 9.271963215132914, + 9.293596801583988, + 9.31465014082841, + 9.335117224527151, + 9.35499215467372, + 9.374269138846275, + 9.392942485522669, + 9.411006599481999, + 9.428455977315814, + 9.445285203071743, + 9.461488944051466, + 9.477061946784527, + 9.491999033198661, + 9.506295097006442, + 9.519945100327353, + 9.532944070563406, + 9.545287097545401, + 9.55696933096603, + 9.567985978114887, + 9.5783323019293, + 9.588003619373865, + 9.596995300160241, + 9.605302765817658, + 9.612921489123167, + 9.619846993899609, + 9.626074855187762, + 9.631600699797895, + 9.63642020724464, + 9.640529111067655, + 9.643923200539312, + 9.646598322759157, + 9.648550385133637, + 9.649775358238225, + 9.650269279057607, + 9.650028254598498, + 9.649048465868129, + 9.647326172210313, + 9.644857715989657, + 9.64163952761328, + 9.63766813087825, + 9.632940148631732, + 9.627452308729755, + 9.62120145027946, + 9.614184530148613, + 9.60639862972526, + 9.59784096190943, + 9.58850887831794, + 9.578399876682615, + 9.567511608421382, + 9.555841886361096, + 9.543388692590348, + 9.53015018641987, + 9.51612471242779, + 9.501310808566465, + 9.485707214307352, + 9.46931287880007, + 9.452126969021624, + 9.43414887789159, + 9.415378232329077, + 9.39581490122723, + 9.37545900332111, + 9.354310914925076, + 9.332371277515783, + 9.309641005137467, + 9.286121291606323, + 9.261813617491413, + 9.236719756849809, + 9.210841783694464, + 9.184182078173746, + 9.156743332442346, + 9.128528556203912, + 9.099541081906693, + 9.069784569574121, + 9.039263011253333, + 9.007980735065441, + 8.97594240884236, + 8.943153043336087, + 8.909617994987281, + 8.875342968241112, + 8.840334017399528, + 8.804597548000094, + 8.768140317712875, + 8.73096943674788, + 8.6930923677669, + 8.654516925294695, + 8.615251274625756, + 8.575303930224106, + 8.534683753614766, + 8.493399950766802, + 8.45146206896907, + 8.408879993200982, + 8.365663942001813, + 8.321824462843267, + 8.277372427011175, + 8.232319024003335, + 8.186675755451647, + 8.140454428577767, + 8.09366714919254, + 8.046326314250573, + 7.99844460397224, + 7.950034973546318, + 7.90111064442752, + 7.851685095243882, + 7.8017720523298735, + 7.751385479901927, + 7.700539569893666, + 7.649248731468908, + 7.597527580231151, + 7.545390927148699, + 7.492853767215247, + 7.43993126786612, + 7.386638757170848, + 7.332991711823002, + 7.279005744948609, + 7.224696593754688, + 7.170080107039626, + 7.115172232587164, + 7.059989004466039, + 7.004546530257112, + 6.948860978229923, + 6.892948564490487, + 6.836825540121999, + 6.780508178339866, + 6.724012761682412, + 6.667355569258039, + 6.61055286406955, + 6.553620880435746, + 6.496575811530132, + 6.439433797055949, + 6.38221091107633, + 6.324923150017842, + 6.267586420864883, + 6.210216529562119, + 6.152829169641099, + 6.095439911086777, + 6.038064189458891, + 5.980717295282228, + 5.923414363719353, + 5.866170364538206, + 5.809000092386583, + 5.751918157384318, + 5.694938976043361, + 5.638076762525065, + 5.581345520243079, + 5.524759033819449, + 5.468330861400658, + 5.412074327339346, + 5.3560025152468, + 5.3001282614202845, + 5.244464148648437, + 5.189022500397211, + 5.133815375377825, + 5.078854562497604, + 5.024151576193518, + 4.969717652147624, + 4.915563743382766, + 4.861700516736134, + 4.80813834970751, + 4.754887327678432, + 4.701957241497671, + 4.649357585427859, + 4.5970975554474665, + 4.545186047901626, + 4.4936316584948734, + 4.442442681618174, + 4.391627110002228, + 4.341192634688482, + 4.29114664530881, + 4.241496230664569, + 4.192248179595066, + 4.143408982125483, + 4.094984830883664, + 4.046981622775128, + 3.9994049609053266, + 3.952260156737963, + 3.905552232478041, + 3.859285923668191, + 3.813465681986656, + 3.7680956782353188, + 3.723179805506112, + 3.678721682514061, + 3.6347246570854144, + 3.5911918097891693, + 3.5481259577005413, + 3.505529658285039, + 3.463405213391835, + 3.4217546733454665, + 3.380579841124959, + 3.3398822766198064, + 3.299663300952412, + 3.259924000856909, + 3.220665233104594, + 3.181887628966471, + 3.1435915987037784, + 3.105777336077744, + 3.0684448228700916, + 3.031593833406331, + 2.995223939074157, + 2.959334512829754, + 2.923924733685169, + 2.8889935911703706, + 2.854539889764082, + 2.820562253287824, + 2.7870591292581044, + 2.754028793192162, + 2.7214693528630223, + 2.689378752500172, + 2.657754776932549, + 2.626595055670966, + 2.5958970669275616, + 2.5656581415703035, + 2.5358754670109485, + 2.5065460910252875, + 2.4776669255049595, + 2.4492347501404548, + 2.4212462160353123, + 2.3936978492519074, + 2.366586054289595, + 2.3399071174962294, + 2.313657210414538, + 2.287832393064988, + 2.262428617167202, + 2.237441729302156, + 2.2128674740177154, + 2.1887014968802414, + 2.1649393474752494, + 2.1415764823603025, + 2.1186082679734706, + 2.096029983500846, + 2.073836823706757, + 2.0520239017304176, + 2.030586251852837, + 2.0095188322379114, + 1.9888165276516239, + 1.9684741521633478, + 1.9484864518332479, + 1.9288481073897386, + 1.9095537369009432, + 1.8905978984440481, + 1.8719750927763796, + 1.853679766011913, + 1.8357063123068373, + 1.8180490765576827, + 1.8007023571153447, + 1.7836604085182002, + 1.7669174442473472, + 1.7504676395067658, + 1.7343051340310565, + 1.71842403492315, + 1.7028184195241736, + 1.6874823383174102, + 1.6724098178680475, + 1.6575948638001716, + 1.6430314638121393, + 1.6287135907312609, + 1.6146352056083884, + 1.6007902608527529, + 1.5871727034070988, + 1.5737764779628671, + 1.5605955302148864, + 1.5476238101547557, + 1.5348552754017881, + 1.5222838945700947, + 1.5099036506701304, + 1.4977085445426883, + 1.4856925983230986, + 1.4738498589330815, + 1.4621744015974403, + 1.4506603333825407, + 1.4393017967532347, + 1.428092973144689, + 1.417028086545293, + 1.40610140708666, + 1.39530725463646, + 1.3846400023896936, + 1.3740940804537631, + 1.3636639794225862, + 1.3533442539348024, + 1.3431295262110077, + 1.3330144895647889, + 1.322993911882283, + 1.3130626390648168, + 1.3032155984291656, + 1.2934478020598859, + 1.2837543501081197, + 1.2741304340312753, + 1.2645713397679537, + 1.2550724508424995, + 1.2456292513936087, + 1.2362373291214264, + 1.2268923781476664, + 1.21759020178334, + 1.20832671519878, + 1.199097947990764, + 1.189900046641655, + 1.1807292768656312, + 1.1715820258372343, + 1.1624548042976257, + 1.1533442485341412, + 1.1442471222289434, + 1.1351603181727463, + 1.1260808598398646, + 1.1170059028210468, + 1.1079327361108058 + ], + "yaxis": "y" + }, + { + "legendgroup": "Facebook", + "marker": { + "color": "rgb(0, 0, 100)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "Facebook", + "showlegend": false, + "type": "scatter", + "x": [ + -0.02033730158730164, + 0.05568181818181818, + 0.06214985994397759, + 0.16, + 0, + 0.15, + 0.6, + -0.30340909090909096, + -0.05, + 0.6, + 0, + -0.19396825396825398, + 0.2, + -0.15454545454545454, + 0.14879040404040406, + 0.43333333333333335, + -0.05, + 0, + -0.2, + 0, + -0.125, + 0.16818181818181818, + 0, + 0, + 0, + 0.2, + 0.3666666666666667, + 0, + 0.2833333333333333, + 0.09722222222222221, + 0.0013736263736263687, + 0, + 0, + -0.13333333333333333, + 0, + 0.1, + 0.10402597402597402, + 0.3666666666666667, + 0.10191964285714285, + 0.6, + -0.16666666666666666, + -0.125, + 0.07857142857142858, + 0, + 0.1, + 0.33, + 0, + 0.05, + 0.3499999999999999, + -0.060606060606060615, + 0.16818181818181818, + 0, + 0.2, + -0.175, + 0.027083333333333327, + -0.1, + 0, + 0.2447222222222222, + 0.06117424242424242, + -0.028698206555349413, + 0.2447222222222222 + ], + "xaxis": "x", + "y": [ + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook" + ], + "yaxis": "y2" + }, + { + "legendgroup": "Harvard", + "marker": { + "color": "rgb(0, 200, 200)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "Harvard", + "showlegend": false, + "type": "scatter", + "x": [ + -0.05, + 0.1396031746031746, + 0.01372474747474745, + 0.23888888888888885, + 0.1301851851851852, + 0.13055555555555556, + 0.07107843137254902, + 0.16436507936507938, + -0.041666666666666664, + 0.07178631553631552, + 0.025708616780045344, + 0.011833333333333335, + 0.13522830344258918, + 0.11388888888888889, + 0.13055555555555556, + 0.25, + 0.09391304347826088, + 0.09905753968253968, + 0.13189484126984122, + 0.45555555555555555, + 0.007024793388429759, + -0.12993197278911564, + 0.12956709956709958, + -0.08357082732082731, + 0.4035714285714285, + 0.0009618506493506484, + 0.10818181818181818, + 0.05851851851851851, + 0.07391774891774892, + 0.07943722943722943, + 0.06957070707070707, + 0.04189655172413794, + 0.08660468319559228, + 0.09083177911241154, + 0.05238095238095238, + -0.12071428571428573, + 0.12760416666666669, + -0.13095238095238096, + 0.005397727272727264, + 0.09697014790764792, + -0.006481481481481484, + -0.15999999999999998, + 0.20714285714285713, + 0.05178236446093589, + 0.1717532467532468, + 0.011833333333333335, + 0.07054347826086955, + 0.31375000000000003, + 0.11499999999999999, + 0.028571428571428564, + 0.04052553229083844, + 0.04622727272727273, + 0.12037037037037036, + 0.06818181818181818, + -0.018518518518518517, + -0.014285714285714282, + 0.3052631578947368, + 0.011833333333333335, + 0.13999999999999999, + 0.23888888888888885, + 0.04622727272727273, + 0.08660468319559228, + -0.05277777777777778, + 0.13055555555555556, + -0.25, + 0.20714285714285713, + 0.15870129870129868, + 0.1451683064410337, + 0.17064306661080852, + -0.075, + -0.009383753501400572, + 0.18095238095238095, + 0.18416305916305917, + 0.20113636363636364, + -0.05277777777777778, + 0.07404994062290714, + 0.29103641456582635, + 0.16436507936507938, + 0.18095238095238095, + 0.240625, + 0.0910748106060606, + -0.075, + 0.07222222222222223, + 0.13075396825396823, + -0.05539867109634551, + 0.11019988242210464, + 0.06333333333333332, + 0.20714285714285713, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + -0.14166666666666666, + -0.0947089947089947, + 0.005397727272727264, + 0.14583333333333334, + 0.16204545454545455, + 0.12380952380952381, + 0.09559523809523808, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635 + ], + "xaxis": "x", + "y": [ + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard", + "Harvard" + ], + "yaxis": "y2" + }, + { + "legendgroup": "nytimes", + "marker": { + "color": "rgb(100, 0, 0)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "nytimes", + "showlegend": false, + "type": "scatter", + "x": [ + -0.03371782610154703, + 0.24090909090909093, + 0.0536096256684492, + 0.10512613822958654, + 0.15909090909090906, + 0.08330864980024645, + 0.1875172532781229, + 0.03731294710018114, + 0.07530078563411897, + 0.0217389845296822, + 0.15400724275724278, + 0.12273232323232328, + 0.14760251653108794, + 0.05000000000000001, + 0.023068735242030694, + 0.11770833333333333, + 0.04261382623224729, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.09969209469209472, + 0.06781849103277673, + 0.15288461538461537, + 0.041373706004140795, + 0.08737845418470418, + 0.22252121212121218, + 0.1902058421376603, + 0.08443276752487282, + 0.03648730411888306, + 0.21114718614718614, + 0.1886977886977887, + 0.0910017953622605, + 0.04145502645502646, + -0.0936210847975554, + 0.0963110269360269, + 0.049926536212663374, + 0.08397435897435898, + 0.10096379997954803, + -0.008633761502613963, + 0.11991883116883115, + 0.10150613275613275, + 0.05832848484848486, + 0.16526747062461347, + 0.07804199858994376, + 0.08858668733668736, + 0.13008563074352547, + 0.05595238095238094, + 0.18798791486291486, + 0.07103379123064166, + 0.05877461248428989, + 0.23805114638447972, + 0.03460638127304793, + -0.011946166207529847, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + 0.10979997014479773, + 0.018046536796536804, + 0.0991494334445154, + 0.09568043068043068, + 0.07357282502443796, + 0.12500676406926406 + ], + "xaxis": "x", + "y": [ + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes", + "nytimes" + ], + "yaxis": "y2" + }, + { + "legendgroup": "naturalnews", + "marker": { + "color": "rgb(200, 0, 200)", + "symbol": "line-ns-open" + }, + "mode": "markers", + "name": "naturalnews", + "showlegend": false, + "type": "scatter", + "x": [ + 0.03153001534330649, + 0.08910694959802103, + 0.11016483516483515, + 0.05644103371376098, + 0.08383116883116883, + 0.13433303624480095, + 0.0017189586114819736, + 0.096086860670194, + 0.11654761904761907, + 0.09606481481481483, + 0.06091580254370953, + 0.054403778040141695, + 0.09355838605838604, + 0.08319701132201131, + 0.08332437275985663, + 0.01762876719883091, + 0.06905766526019691, + 0.019427768248522964, + 0.058711080586080586, + 0.0117283950617284, + 0.0575995461865027, + 0.09125000000000001, + 0.04559228650137742, + 0.16547619047619047, + 0.06701038159371493 + ], + "xaxis": "x", + "y": [ + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews", + "naturalnews" + ], + "yaxis": "y2" + } + ], + "layout": { + "barmode": "overlay", + "hovermode": "closest", + "legend": { + "traceorder": "reversed" + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "polarity" + }, + "xaxis": { + "anchor": "y2", + "domain": [ + 0, + 1 + ], + "zeroline": false + }, + "yaxis": { + "anchor": "free", + "domain": [ + 0.35, + 1 + ], + "position": 0 + }, + "yaxis2": { + "anchor": "x", + "domain": [ + 0, + 0.25 + ], + "dtick": 1, + "showticklabels": false + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "x1 = df.loc[df['source']=='Facebook']['polarity']\n", + "x2 = df.loc[df['source'] == 'https://www.health.harvard.edu/']['polarity']\n", + "x3 = df.loc[df['source'] == 'https://www.nytimes.com/']['polarity']\n", + "x4 = df.loc[df['source'] == 'https://www.naturalnews.com/']['polarity']\n", + "group_labels = ['Facebook', 'Harvard', 'nytimes', 'naturalnews']\n", + "\n", + "colors = ['rgb(0, 0, 100)', 'rgb(0, 200, 200)', 'rgb(100, 0, 0)', 'rgb(200, 0, 200)']\n", + "\n", + "# Create distplot with custom bin_size\n", + "fig = ff.create_distplot(\n", + " [x1, x2, x3, x4], group_labels,colors=colors)\n", + "\n", + "fig.update_layout(title_text='Sentiment polarity', template=\"plotly_white\")\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 61, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "box": { + "visible": true + }, + "meanline": { + "visible": true + }, + "name": "https://www.health.harvard.edu/", + "type": "violin", + "x": [ + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/", + "https://www.health.harvard.edu/" + ], + "y": [ + -0.05, + 0.1396031746031746, + 0.01372474747474745, + 0.23888888888888885, + 0.1301851851851852, + 0.13055555555555556, + 0.07107843137254902, + 0.16436507936507938, + -0.041666666666666664, + 0.07178631553631552, + 0.025708616780045344, + 0.011833333333333335, + 0.13522830344258918, + 0.11388888888888889, + 0.13055555555555556, + 0.25, + 0.09391304347826088, + 0.09905753968253968, + 0.13189484126984122, + 0.45555555555555555, + 0.007024793388429759, + -0.12993197278911564, + 0.12956709956709958, + -0.08357082732082731, + 0.4035714285714285, + 0.0009618506493506484, + 0.10818181818181818, + 0.05851851851851851, + 0.07391774891774892, + 0.07943722943722943, + 0.06957070707070707, + 0.04189655172413794, + 0.08660468319559228, + 0.09083177911241154, + 0.05238095238095238, + -0.12071428571428573, + 0.12760416666666669, + -0.13095238095238096, + 0.005397727272727264, + 0.09697014790764792, + -0.006481481481481484, + -0.15999999999999998, + 0.20714285714285713, + 0.05178236446093589, + 0.1717532467532468, + 0.011833333333333335, + 0.07054347826086955, + 0.31375000000000003, + 0.11499999999999999, + 0.028571428571428564, + 0.04052553229083844, + 0.04622727272727273, + 0.12037037037037036, + 0.06818181818181818, + -0.018518518518518517, + -0.014285714285714282, + 0.3052631578947368, + 0.011833333333333335, + 0.13999999999999999, + 0.23888888888888885, + 0.04622727272727273, + 0.08660468319559228, + -0.05277777777777778, + 0.13055555555555556, + -0.25, + 0.20714285714285713, + 0.15870129870129868, + 0.1451683064410337, + 0.17064306661080852, + -0.075, + -0.009383753501400572, + 0.18095238095238095, + 0.18416305916305917, + 0.20113636363636364, + -0.05277777777777778, + 0.07404994062290714, + 0.29103641456582635, + 0.16436507936507938, + 0.18095238095238095, + 0.240625, + 0.0910748106060606, + -0.075, + 0.07222222222222223, + 0.13075396825396823, + -0.05539867109634551, + 0.11019988242210464, + 0.06333333333333332, + 0.20714285714285713, + 0.12956709956709958, + 0.38333333333333336, + 0.22000000000000003, + 0.007000000000000001, + -0.14166666666666666, + -0.0947089947089947, + 0.005397727272727264, + 0.14583333333333334, + 0.16204545454545455, + 0.12380952380952381, + 0.09559523809523808, + -0.006481481481481484, + 0.20113636363636364, + 0.13636363636363635 + ] + }, + { + "box": { + "visible": true + }, + "meanline": { + "visible": true + }, + "name": "https://www.nytimes.com/", + "type": "violin", + "x": [ + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/", + "https://www.nytimes.com/" + ], + "y": [ + -0.03371782610154703, + 0.24090909090909093, + 0.0536096256684492, + 0.10512613822958654, + 0.15909090909090906, + 0.08330864980024645, + 0.1875172532781229, + 0.03731294710018114, + 0.07530078563411897, + 0.0217389845296822, + 0.15400724275724278, + 0.12273232323232328, + 0.14760251653108794, + 0.05000000000000001, + 0.023068735242030694, + 0.11770833333333333, + 0.04261382623224729, + 0.08677375256322624, + 0.053834260977118124, + 0.0840175913268019, + 0.09969209469209472, + 0.06781849103277673, + 0.15288461538461537, + 0.041373706004140795, + 0.08737845418470418, + 0.22252121212121218, + 0.1902058421376603, + 0.08443276752487282, + 0.03648730411888306, + 0.21114718614718614, + 0.1886977886977887, + 0.0910017953622605, + 0.04145502645502646, + -0.0936210847975554, + 0.0963110269360269, + 0.049926536212663374, + 0.08397435897435898, + 0.10096379997954803, + -0.008633761502613963, + 0.11991883116883115, + 0.10150613275613275, + 0.05832848484848486, + 0.16526747062461347, + 0.07804199858994376, + 0.08858668733668736, + 0.13008563074352547, + 0.05595238095238094, + 0.18798791486291486, + 0.07103379123064166, + 0.05877461248428989, + 0.23805114638447972, + 0.03460638127304793, + -0.011946166207529847, + 0.060952380952380945, + 0.05052269919036386, + 0.07077777777777779, + 0.10979997014479773, + 0.018046536796536804, + 0.0991494334445154, + 0.09568043068043068, + 0.07357282502443796, + 0.12500676406926406 + ] + }, + { + "box": { + "visible": true + }, + "meanline": { + "visible": true + }, + "name": "Facebook", + "type": "violin", + "x": [ + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook", + "Facebook" + ], + "y": [ + -0.02033730158730164, + 0.05568181818181818, + 0.06214985994397759, + 0.16, + 0, + 0.15, + 0.6, + -0.30340909090909096, + -0.05, + 0.6, + 0, + -0.19396825396825398, + 0.2, + -0.15454545454545454, + 0.14879040404040406, + 0.43333333333333335, + -0.05, + 0, + -0.2, + 0, + -0.125, + 0.16818181818181818, + 0, + 0, + 0, + 0.2, + 0.3666666666666667, + 0, + 0.2833333333333333, + 0.09722222222222221, + 0.0013736263736263687, + 0, + 0, + -0.13333333333333333, + 0, + 0.1, + 0.10402597402597402, + 0.3666666666666667, + 0.10191964285714285, + 0.6, + -0.16666666666666666, + -0.125, + 0.07857142857142858, + 0, + 0.1, + 0.33, + 0, + 0.05, + 0.3499999999999999, + -0.060606060606060615, + 0.16818181818181818, + 0, + 0.2, + -0.175, + 0.027083333333333327, + -0.1, + 0, + 0.2447222222222222, + 0.06117424242424242, + -0.028698206555349413, + 0.2447222222222222 + ] + }, + { + "box": { + "visible": true + }, + "meanline": { + "visible": true + }, + "name": "https://www.naturalnews.com/", + "type": "violin", + "x": [ + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/", + "https://www.naturalnews.com/" + ], + "y": [ + 0.03153001534330649, + 0.08910694959802103, + 0.11016483516483515, + 0.05644103371376098, + 0.08383116883116883, + 0.13433303624480095, + 0.0017189586114819736, + 0.096086860670194, + 0.11654761904761907, + 0.09606481481481483, + 0.06091580254370953, + 0.054403778040141695, + 0.09355838605838604, + 0.08319701132201131, + 0.08332437275985663, + 0.01762876719883091, + 0.06905766526019691, + 0.019427768248522964, + 0.058711080586080586, + 0.0117283950617284, + 0.0575995461865027, + 0.09125000000000001, + 0.04559228650137742, + 0.16547619047619047, + 0.06701038159371493 + ] + } + ], + "layout": { + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "Polarity of four sources" + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = go.Figure()\n", + "\n", + "sources = ['https://www.health.harvard.edu/', 'https://www.nytimes.com/', 'Facebook', 'https://www.naturalnews.com/']\n", + "\n", + "for source in sources:\n", + " fig.add_trace(go.Violin(x=df['source'][df['source'] == source],\n", + " y=df['polarity'][df['source'] == source],\n", + " name=source,\n", + " box_visible=True,\n", + " meanline_visible=True))\n", + "fig.update_layout(title_text='Polarity of four sources', template='plotly_white')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 92, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=TRUE
polarity=%{x}
text_len=%{y}", + "legendgroup": "TRUE", + "marker": { + "color": "#636efa", + "symbol": "circle" + }, + "mode": "markers", + "name": "TRUE", + "showlegend": true, + "type": "scattergl", + "x": [ + -0.0875, + 0.1476190476190476, + 0.1502754820936639, + 0.22980952380952382, + 0.10861865407319954, + 0.13025210084033612, + 0.0571650951787938, + 0.0333068783068783, + 0.12284090909090907, + 0.55, + 0.23888888888888885, + 0.18798791486291486, + 0.06957070707070707, + 0.15400724275724278, + -0.12071428571428573, + 0.34444444444444444, + 0.14114420062695923, + 0.08153846153846155, + 0.1451683064410337, + 0.09139438603724317, + 0.007000000000000001, + 0.10676748176748178, + -0.0432983193277311, + 0.0864903389293633, + -0.075, + 0.1241732804232804, + 0.021666666666666657, + 0.035897435897435895, + 0.019269896769896766, + 0.12272727272727273, + 0.06587301587301587, + -0.009383753501400572, + 0.06459740259740258, + 0.07013888888888889, + 0.11770833333333333, + 0.12294372294372295, + 0.05672908741090559, + -0.040142857142857126, + 0.08711038961038962, + 0.05281385281385282, + 0.21250000000000002, + 0.035897435897435895, + 0.05000000000000001, + 0.04545454545454545, + 0.05904128787878791, + 0.13075396825396823, + -0.08147727272727272, + 0.0410693291226078, + 0.07857142857142858, + 0.008888888888888892, + 0.14727272727272728, + 0.11167328042328044, + 0.29166666666666663, + 0.031955922865013774, + 0.19999999999999998, + 0.10833333333333334, + -0.06038961038961039, + 0.04635416666666666, + 0.005204942736588304, + 0.07630758130758131, + 0.07404994062290714, + 0.1388888888888889, + -0.00881032547699215, + 0.08976666666666666, + 0.08785921325051763, + 0.04052553229083844, + 0.031250000000000014, + 0, + 0.19523858717040535, + 0.1875172532781229, + 0.04736842105263159, + -0.06622435535479013, + 0.08754741290455577, + 0.13189484126984122, + 0.17169913419913424, + -0.14166666666666666, + 0.0910017953622605, + 0.09963698675062314, + 0.2844666666666667, + 0.07484408247120114, + 0.0366505968778696, + 0.22727272727272724, + 0.31875000000000003, + 0.06818181818181818, + -0.3, + 0.060952380952380945, + 0.13008563074352547, + -0.024001924001924, + 0.1712576503955815, + 0.04635416666666666, + 0.18095238095238095, + 0.13643939393939392, + 0.13055555555555556, + 0.10583333333333333, + 0.11388888888888889, + 0.08716645021645018, + 0.04047619047619048, + 0.039719714567275535, + 0.26666666666666666, + 0.014434523809523814, + 0.07804199858994376, + 0.057368441251419995, + 0.09905753968253968, + 0.05178236446093589, + 0.09931372549019607, + 0.08105423987776927, + 0.1020671098448876, + 0.08333333333333331, + 0.10096379997954803, + 0.20952380952380953, + 0.11527890783914883, + 0.04899515993265993, + 0.12234657602376045, + 0.11831460206460206, + 0.18642424242424244, + 0.17229437229437225, + 0.0640873015873016, + 0.09568043068043068, + 0.275, + -0.01742424242424243, + 0.0690873015873016, + 0.0818858225108225, + 0.06189674523007856, + 0.12851027940313658, + 0.10485355485355483, + 0.11991883116883115, + 0.04081632653061224, + 0.08660468319559228, + 0.10238095238095239, + 0.1502754820936639, + 0.18095238095238095, + -0.3, + 0.23805114638447972, + 0.018213649096002035, + 0.06633544749823819, + 0.08952516594516598, + 0.11744791666666667, + 0.16074016563147, + 0.014357142857142855, + 0.2785714285714286, + 0.007142857142857145, + -0.11458333333333333, + 0.041797637390857734, + 0.15239393939393941, + 0.08677375256322624, + 0.09335730724971227, + 0.16013622974963176, + 0.3666666666666667, + 0.03798400673400674, + 0.14727272727272728, + 0.11864058258126063, + -0.06632996632996632, + 0.10640462374504926, + 0.07077777777777779, + 0.05710784313725491, + 0.08130335415846777, + 0.11215365765670643, + 0.04261382623224729, + 0.31875000000000003, + -0.05277777777777778, + 0.11431373157807583, + 0.21471861471861473, + 0.10512613822958654, + 0.14666666666666667, + 0.04145502645502646, + 0.15795088920088918, + 0.07173184024423694, + 0.24090909090909093, + 0.005397727272727264, + 0.3277777777777778, + -0.014285714285714282, + 0.05595238095238094, + 0.08330864980024645, + 0.08443276752487282, + 0.07497594997594996, + -0.012878787878787873, + -0.037542306178669806, + 0.03098484848484847, + 0.005397727272727264, + 0.15288461538461537, + 0.20833333333333331, + 0.018499478916145576, + 0.018046536796536804, + 0.04888888888888888, + 0.04545454545454545, + -0.011946166207529847, + 0.13636363636363635, + 0.07032081686429513, + 0.07943722943722943, + 0.04448907335505272, + 0.09722222222222222, + 0.16436507936507938, + 0.053834260977118124, + -0.1, + 0.11281249999999995, + 0.007024793388429759, + 0.0438690476190476, + 0.066998258857763, + -0.041666666666666664, + 0.10666666666666666, + -0.11306926406926408, + 0.03618793161203875, + 0.015367965367965364, + 0.1717532467532468, + 0.1902058421376603, + 0.0963110269360269, + 0.0991494334445154, + 0.25999999999999995, + -0.2, + 0.32500000000000007, + 0.07781385281385282, + -0.00019240019240018835, + 0.10633625410733845, + 0.07563778409090904, + 0.10676748176748178, + 0.14241478011969813, + 0.07054347826086955, + 0.12956709956709958, + 0.06853273518596098, + 0.13055555555555556, + 0.010291005291005293, + 0.09391304347826088, + -0.006481481481481484, + 0.15093178327049298, + 0.1645021645021645, + 0.1898989898989899, + 0.05333333333333333, + 0.13636363636363635, + 0.16100844644077736, + -0.0011904761904761862, + 0.21666666666666667, + -0.13095238095238096, + 0.1886977886977887, + 0.10150613275613275, + 0.3052631578947368, + 0.02834982477839621, + 0.09215976731601733, + 0.09697014790764792, + 0.12637405471430369, + 0.15870129870129868, + 0.027407647907647905, + 0.011833333333333335, + 0.01372474747474745, + -0.006481481481481484, + 0.1374362087776722, + 0.06501541387905022, + 0.0840175913268019, + 0.1962962962962963, + -0.010416666666666661, + 0.24625850340136052, + 0.027970521541950115, + 0.12887595163457227, + 0.31375000000000003, + 0.103494623655914, + 0.003539944903581255, + 0.21212121212121213, + 0.08208333333333331, + -0.14772727272727273, + 0.17264957264957262, + -0.01602564102564102, + 0.09969209469209472, + 0.0205011655011655, + 0.12380952380952381, + -0.04444444444444443, + -0.041666666666666664, + 0.04622727272727273, + 0.1077777777777778, + -0.010806277056277059, + -0.042350596557913636, + 0.225, + 0.10818181818181818, + 0.0910748106060606, + 0.13055555555555556, + 0.4035714285714285, + 0.07222222222222223, + 0.009727082631274246, + 0.08340651412079986, + 0.09267161410018554, + -0.007363459391761272, + 0.1124557143374348, + 0.18958333333333333, + 0.03648730411888306, + 0.18863636363636363, + 0.15535714285714283, + 0.10377056277056276, + 0.20113636363636364, + -0.018518518518518517, + 0.45555555555555555, + 0.08977272727272727, + 0.04848484848484847, + 0.05052269919036386, + 0.2625, + -0.026470588235294107, + -0.075, + 0.085, + 0.14753659039373326, + -0.08357082732082731, + 0.08450937950937948, + 0.022668141037706247, + 0.07899292065958735, + 0.052146464646464656, + 0.0675736961451247, + 0.08977272727272727, + 0.07464321392892824, + -0.12993197278911564, + 0.06592764378478663, + 0.07897435897435898, + 0.17272727272727273, + 0.11657249838284317, + 0.0967444284110951, + 0.07115458381281166, + 0.3277777777777778, + 0.10844444444444444, + 0.05494181143531794, + 0.12273232323232328, + 0.22000000000000003, + 0.047619541277436006, + 0.15757575757575756, + 0.036363636363636355, + 0.19318181818181818, + 0.03333333333333333, + 0.23958333333333331, + 0.1028210678210678, + 0.0872885222885223, + -0.02745825602968461, + 0.05818104188357353, + 0.07637310606060606, + 0.20113636363636364, + 0.06564818300325546, + 0.16204545454545455, + 0.22198773448773448, + 0.12027103331451158, + -0.008633761502613963, + -0.2, + 0.240625, + 0.13999999999999999, + 0.07488026410723778, + 0.07924071542492594, + 0.25, + 0.08858668733668736, + 0.03, + 0.10979997014479773, + 0.0031250000000000097, + -0.0936210847975554, + 0.15909090909090906, + 0.25, + 0.05270634920634922, + 0.125, + -0.125, + 0.07814715942493718, + 0.13055555555555556, + 0.028703703703703703, + 0.05303030303030303, + 0.1106060606060606, + 0.25, + 0.015384615384615385, + 0.06078431372549019, + 0.16654135338345863, + -0.01749639249639251, + 0.11499999999999999, + 0.09138367805034472, + 0.028571428571428564, + -0.3, + 0.14357142857142857, + 0.20714285714285713, + 0.07103379123064166, + 0.05548951048951049, + 0.07291666666666669, + -0.007499999999999974, + 0.10574216871091872, + 0.1, + -0.25, + 0.012301587301587306, + -0.6, + 0.08219148001756696, + 0.054166666666666675, + 0.15277777777777776, + 0.011833333333333335, + -0.07499999999999998, + 0, + -0.018124999999999995, + 0.17841478696741853, + -0.19088203463203463, + 0.10598006644518274, + 0.15454545454545454, + 0.0887897967011891, + 0.05078124999999999, + 0.10351769245247504, + -0.03272727272727273, + 0.17307692307692307, + 0.03460638127304793, + 0.08232380672940122, + 0.1036730945821855, + 0.10555833055833053, + 0.10641878954378953, + 0.2567254174397031, + 0.18416305916305917, + 0.21212121212121213, + 0.09011742424242426, + 0.05877461248428989, + 0.027304217521608828, + 0.08660468319559228, + 0.03571428571428571, + 0.38333333333333336, + 0.5, + 0.09209436396936398, + 0.10835497835497836, + 0.03612231739891315, + 0.009313725490196077, + 0.1977961432506887, + 0.06712962962962962, + 0.06298779722692767, + -0.06607142857142857, + 0.16436507936507938, + 0.06670983778126635, + 0.15037337662337663, + -0.02100033952975128, + -0.11249999999999999, + -0.05277777777777778, + 0.028571428571428557, + 0.07107843137254902, + 0.16805555555555554, + 0.020448179271708684, + 0.12037037037037036, + 0.20714285714285713, + 0.06686147186147187, + 0.07207792207792209, + 0.05832848484848486, + 0.15119047619047618, + 0.059555555555555556, + 0.14583333333333334, + -0.005795870795870796, + 0.1396031746031746, + 0.09559523809523808, + 0.09333333333333332, + 0.29125874125874124, + 0.02621212121212122, + 0.08993335096276277, + -0.029918981481481494, + 0.0536096256684492, + 0.08639447267708139, + -0.25, + 0.03970418470418469, + 0.13158899923605805, + 0.08333333333333334, + 0.0376082251082251, + 0.13007866117622213, + 0.16526747062461347, + 0.11019988242210464, + 0.06254095004095003, + 0.023068735242030694, + 0.08066239316239317, + 0.011833333333333335, + 0.05496031746031745, + 0.12956709956709958, + -0.15870490620490624, + 0.038279736136878996, + 0.29103641456582635, + 0.12500676406926406, + 0.21114718614718614, + 0.2727272727272727, + 0.17064306661080852, + -0.23333333333333328, + 0.07357282502443796, + 0.04460784313725491, + 0.22787878787878793, + 0.12857142857142853, + 0.09782608695652174, + 0.09233511586452763, + 0.09142857142857143, + 0.3277777777777778, + -0.058333333333333334, + 0.12284090909090907, + 0.22727272727272724, + 0.0217389845296822, + -0.15999999999999998, + 0.16583333333333333, + 0.16402278599953019, + 0.10259105628670848, + 0.03731294710018114, + 0.028434704184704195, + 0.049743431855500814, + -0.075, + 0.17916666666666667, + 0.022199921290830385, + 0.03928571428571428, + 0.10753289614675753, + -0.05205441189047746, + 0.09440277777777778, + -0.10952380952380951, + 0.20714285714285713, + 0.07888337153043035, + 0.08397435897435898, + -0.11458333333333333, + 0.008436639118457299, + -0.06000000000000001, + 0.12760416666666669, + 0.25, + 0.046916666666666676, + 0.22252121212121218, + 0.02853174603174602, + 0.07159373586612393, + 0.11136363636363637, + 0.1476190476190476, + 0.05443264947612773, + 0.16402597402597402, + 0.04622727272727273, + -0.007384772090654448, + 0.05851851851851851, + 0.06195628646715604, + 0.10677747329123474, + 0.05238095238095238, + 0.23888888888888885, + 0.06333333333333332, + 0.07530078563411897, + -0.003976697061803446, + 0.025595238095238088, + 0.14760251653108794, + 0.07756410256410257, + 0.09287546561965167, + 0.17798996458087368, + -0.03371782610154703, + 0.02072189284145806, + 0.07391774891774892, + -0.00019240019240018835, + -0.11666293476638308, + 0.21875, + 0.14518003697691204, + 0.09870394593416179, + 0.2, + 0.04189655172413794, + 0.028433892496392485, + 0.07142857142857142, + 0.1784749670619236, + -0.05, + 0.06245967741935485, + 0.22348484848484845, + 0.08009959579561853, + 0.18353174603174602, + 0.10047225501770955, + 0.09780474155474154, + 0.12172689461459513, + -0.0947089947089947, + 0.10356134324612586, + 0.024285714285714282, + 0.01325757575757576, + 0.07013539651837523, + 0.06074591149591147, + 0.34444444444444444, + 0.04545454545454545, + 0.22787878787878793, + 0.07928841991341992, + 0.1053469387755102, + 0.09083177911241154, + 0.12619047619047616, + 0.005333333333333328, + 0.0009618506493506484, + 0.084258196583778, + 0.08726422740121369, + 0.04991718991718992, + 0.13522830344258918, + 0.049926536212663374, + 0.07832405689548547, + 0.025708616780045344, + 0.12090067340067338, + 0.17954545454545456, + 0.0649891774891775, + 0.041373706004140795, + 0.3477272727272727, + -0.075, + 0.04256012506012507, + 0.07178631553631552, + 0.14329545454545456, + 0.1301851851851852, + 0.012301587301587306, + 0.06781849103277673, + 0.08370845986517628, + 0.2772847522847523, + -0.05539867109634551, + 0.13327552420145022, + 0.04264696656001003, + 0.1258793428793429, + 0.1018547544409614, + 0.08737845418470418, + -0.010121951219512199, + 0.06875 + ], + "xaxis": "x", + "y": [ + 56, + 56, + 64, + 93, + 578, + 143, + 731, + 425, + 70, + 33, + 190, + 574, + 218, + 461, + 96, + 86, + 681, + 151, + 2062, + 618, + 64, + 508, + 339, + 564, + 12, + 304, + 68, + 178, + 764, + 65, + 420, + 147, + 155, + 179, + 82, + 252, + 1330, + 46, + 367, + 72, + 86, + 64, + 247, + 47, + 797, + 111, + 91, + 3069, + 176, + 102, + 54, + 183, + 40, + 317, + 48, + 138, + 136, + 349, + 796, + 971, + 2664, + 97, + 247, + 237, + 1165, + 3295, + 159, + 58, + 1150, + 406, + 117, + 236, + 1464, + 489, + 501, + 13, + 1105, + 781, + 306, + 631, + 174, + 67, + 54, + 25, + 26, + 72, + 1195, + 132, + 638, + 350, + 206, + 405, + 135, + 157, + 109, + 1653, + 131, + 1028, + 80, + 612, + 2455, + 2116, + 364, + 1247, + 260, + 484, + 888, + 143, + 1545, + 93, + 1030, + 928, + 2450, + 226, + 140, + 125, + 167, + 667, + 78, + 189, + 146, + 246, + 229, + 2407, + 1144, + 615, + 107, + 268, + 153, + 64, + 205, + 63, + 231, + 167, + 637, + 1384, + 635, + 479, + 574, + 128, + 76, + 50, + 768, + 705, + 193, + 941, + 1118, + 83, + 467, + 54, + 1178, + 72, + 532, + 302, + 219, + 3688, + 2046, + 1266, + 54, + 101, + 2796, + 120, + 977, + 136, + 199, + 816, + 1210, + 73, + 167, + 42, + 83, + 112, + 1426, + 557, + 1174, + 174, + 543, + 199, + 166, + 126, + 31, + 662, + 211, + 167, + 45, + 755, + 72, + 1062, + 88, + 1002, + 93, + 208, + 215, + 91, + 758, + 173, + 159, + 1580, + 122, + 76, + 245, + 904, + 164, + 85, + 1524, + 1368, + 3703, + 51, + 78, + 90, + 95, + 55, + 769, + 2056, + 508, + 776, + 256, + 100, + 1720, + 134, + 526, + 194, + 80, + 855, + 169, + 42, + 150, + 129, + 2691, + 62, + 168, + 111, + 382, + 287, + 356, + 230, + 725, + 151, + 2374, + 108, + 880, + 181, + 192, + 81, + 387, + 821, + 1674, + 81, + 123, + 145, + 184, + 1349, + 107, + 364, + 963, + 30, + 151, + 138, + 46, + 141, + 1402, + 679, + 45, + 39, + 47, + 95, + 153, + 213, + 476, + 4, + 286, + 220, + 363, + 60, + 110, + 2085, + 511, + 537, + 903, + 3560, + 106, + 741, + 146, + 885, + 1232, + 181, + 148, + 68, + 62, + 81, + 1783, + 55, + 236, + 12, + 45, + 233, + 190, + 1650, + 712, + 1610, + 113, + 322, + 62, + 1162, + 91, + 576, + 134, + 38, + 1404, + 633, + 1214, + 42, + 149, + 985, + 821, + 35, + 1082, + 142, + 145, + 17, + 66, + 172, + 143, + 1080, + 63, + 1012, + 895, + 184, + 2257, + 77, + 146, + 215, + 1424, + 23, + 170, + 143, + 689, + 205, + 28, + 1460, + 68, + 313, + 82, + 244, + 153, + 28, + 788, + 69, + 21, + 2072, + 134, + 122, + 313, + 96, + 24, + 150, + 244, + 141, + 1750, + 34, + 558, + 94, + 6, + 101, + 272, + 1609, + 162, + 144, + 176, + 908, + 148, + 50, + 148, + 72, + 513, + 138, + 185, + 181, + 68, + 8, + 152, + 439, + 69, + 374, + 124, + 1127, + 518, + 881, + 103, + 158, + 441, + 1659, + 366, + 549, + 1525, + 104, + 186, + 30, + 484, + 336, + 615, + 268, + 118, + 75, + 50, + 776, + 411, + 552, + 240, + 153, + 174, + 1047, + 104, + 208, + 797, + 142, + 547, + 71, + 100, + 82, + 164, + 120, + 156, + 291, + 270, + 334, + 133, + 1506, + 45, + 141, + 146, + 898, + 159, + 155, + 141, + 180, + 1403, + 2612, + 795, + 137, + 1551, + 25, + 192, + 190, + 69, + 252, + 277, + 511, + 391, + 763, + 884, + 168, + 177, + 140, + 100, + 121, + 564, + 190, + 135, + 43, + 59, + 413, + 69, + 1002, + 489, + 80, + 185, + 143, + 158, + 56, + 85, + 89, + 68, + 68, + 1114, + 67, + 96, + 732, + 3887, + 454, + 1404, + 843, + 118, + 76, + 805, + 88, + 1243, + 752, + 712, + 52, + 270, + 169, + 96, + 50, + 349, + 123, + 200, + 54, + 470, + 275, + 509, + 1470, + 135, + 56, + 1241, + 160, + 95, + 136, + 93, + 1018, + 1124, + 81, + 189, + 130, + 866, + 549, + 200, + 1009, + 115, + 2210, + 230, + 584, + 2062, + 132, + 55, + 420, + 151, + 2198, + 3345, + 22, + 286, + 857, + 118, + 803, + 66, + 789, + 139, + 1599, + 153, + 142, + 838, + 2117, + 128, + 1420, + 153, + 39, + 1356, + 1162, + 86, + 64, + 80, + 248, + 914, + 3235, + 54, + 143, + 269, + 1659, + 970, + 1649, + 1288, + 1819, + 47, + 197, + 2114, + 62, + 274, + 1268, + 78, + 120, + 361, + 204, + 138, + 198, + 148, + 184, + 874, + 165, + 679, + 777, + 609, + 861, + 1161, + 4557, + 533, + 177 + ], + "yaxis": "y" + }, + { + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "label=FAKE
polarity=%{x}
text_len=%{y}", + "legendgroup": "FAKE", + "marker": { + "color": "#EF553B", + "symbol": "circle" + }, + "mode": "markers", + "name": "FAKE", + "showlegend": true, + "type": "scattergl", + "x": [ + 0.030865581278624765, + 0.04117378605330413, + 0.06080722187865045, + 0.08420443650309418, + 0.03880022144173086, + 0.09166666666666667, + 0.08664111498257838, + -0.003333333333333326, + 0.05567567567567566, + -0.006815708101422388, + 0.09125000000000001, + 0.11390485652780734, + -0.010020941118502097, + 0, + 0.09606481481481483, + 0.15, + 0.08105579605579605, + -0.146875, + 0.15550364269876468, + 0.011515827922077919, + 0.12337588126159557, + -0.125, + 0.22782446311858073, + 0, + -0.028698206555349413, + 0.1642857142857143, + 0.07337475077933091, + 0.026760714918609648, + 0.17387755102040817, + 0.16818181818181818, + 0.1285714285714286, + 0.07601711979327043, + 0.07503915461232535, + 0.6, + 0, + 0.033415584415584426, + 0.06294765840220384, + -0.012582345191040843, + 0.03703703703703703, + 0.030289502164502165, + 0.06105471795126968, + 0.08333333333333333, + 0.027083333333333327, + 0.01666666666666668, + 0.21815398886827456, + 0.001190476190476189, + 0.0046666666666666705, + 0.09587831733483905, + 0.0892360062418202, + 0.09375, + 0.15995370370370368, + 0.13705510992275702, + 0.05172573189522343, + 0.06481191222570534, + 0.11236772486772487, + 0.2, + 0.05056236791530912, + 0.022969209469209464, + 0.06214985994397759, + 0.13433303624480095, + 0.12647876945749284, + 0.02175925925925925, + 0.125, + 0.04999999999999999, + 0.06153982317117913, + 0.06355661881977673, + 0.15297093382807667, + 0.02535866910866911, + 0, + 0.03921911421911422, + 0.015731430962200185, + 0.16116038201564525, + -0.0011246636246636304, + 0.09365390382365692, + 0.05046034322820036, + -0.060606060606060615, + 0.07208118600975744, + 0.08910694959802103, + 0.03355593752652577, + 0.07520870795870796, + 0.11658200861069715, + 0.08664111498257838, + 0.15181824924815582, + 0.041118540850683706, + 0, + 0, + 0.09999999999999999, + 0.014680407975862522, + 0.09401098901098903, + -0.15972222222222224, + 0.061373900824450295, + -0.15454545454545454, + 0.20909090909090908, + 0.08720582447855173, + 0.10191964285714285, + 0.04202178030303029, + 0, + -0.02187499999999999, + 0.02386177041349455, + 0.014680407975862522, + -0.05000000000000001, + 0.11654761904761907, + 0.05076923076923076, + 0.06342150450229053, + -0.05500000000000001, + -0.13333333333333333, + 0.1, + -0.6, + 0.6, + 0.06050012862335138, + 0.21428571428571427, + 0.13433303624480095, + 0.03880022144173086, + 0, + 0.07526054523988408, + 0.14862391774891778, + 0.041219336219336225, + 0.06439393939393939, + 0.11085858585858586, + 0.03023729357062691, + 0.047222222222222214, + 0.09437240936147184, + 0.0013736263736263687, + 0.13163809523809522, + 0.07181868519077819, + 0.09518939393939392, + 0.028952991452991447, + -0.125, + 0.04515941265941269, + 0.06117424242424242, + 0.09281305114638445, + 0.6, + 0, + 0.11390485652780734, + 0.12287272727272724, + 0, + 0.03383291545056253, + 0.16969696969696968, + 0.1392857142857143, + -0.125, + 0.0031301406926407017, + 0.05401550490326001, + 0.05967384887839434, + 0.0026943498788158894, + 0.013825757575757571, + -0.15, + 0.3666666666666667, + 0, + -0.11000000000000001, + 0.08478617342253707, + 0.07333333333333333, + 0.058711080586080586, + 0.13791043631623343, + 0.045085520540066024, + 0.03399852180339985, + 0, + 0.09923160173160171, + 0.013734862293474733, + 0.07896614739680433, + 0.05058941432259817, + 0.015824915824915825, + 0.12223707664884136, + 0, + 0.6000000000000001, + 0.0031243596953566747, + 0.10067567567567567, + 0.09545329670329673, + 0, + 0.10108784893267651, + -0.05, + 0.024621212121212117, + 0.03432958410636981, + 0.11510645475923251, + 0.08996003996003994, + 0, + 0.06905766526019691, + 0.06641873278236914, + 0.08166234277936399, + 0.08200528007346189, + 0.04987236355194104, + 0.096086860670194, + -0.2, + 0.08930373944928742, + 0.038933566433566436, + 0.20260942760942757, + 0.10135918003565066, + 0.02030973721114566, + 0.07202797202797204, + 0.171875, + 0.024218750000000015, + 0.05724227100333295, + -0.02187499999999999, + -0.005487391193036351, + 0.058333333333333334, + 0.09659090909090909, + 0.09809059987631415, + 0.09198165206886136, + 0.16818181818181818, + 0.10609696969696969, + 0.20909090909090908, + 0.09555194805194804, + 0.06677764659582841, + 0.15142857142857144, + 0.15165289256198347, + -0.007575757575757576, + 0.0017189586114819736, + 0.1608180506362325, + 0.12257921476671481, + 0.26776094276094276, + 0.12468412942989214, + 0.03586192613970391, + 0.05975379585999057, + 0.1663328598484848, + -0.05, + 0.10334896584896587, + 0.07736415882967608, + -0.017020202020202026, + 0.1877181337181337, + 0.03333333333333333, + 0.19999999999999998, + 0.05, + 0.03329696179011247, + 0.036031100330711226, + 0.015404040404040411, + 0, + 0.06101174560733384, + 0.038975869809203145, + 0.05917504605544954, + -0.07999999999999999, + 0.12349468713105076, + 0.07857142857142858, + 0.03199855699855699, + 0.10244898922469015, + 0.11352080620373302, + 0.171875, + 0, + 0.15416666666666667, + 0.005116789685135007, + 0.0578336940836941, + 0.06041666666666667, + 0.07681523022432114, + 0.05476317799847212, + 0.06166666666666668, + 0.33, + 0.3499999999999999, + 0.1549175824175824, + 0.18454545454545454, + 0.08714285714285715, + 0, + 0.08332437275985663, + 0.03267156862745097, + 0.0342784992784993, + -0.1, + -0.02033730158730164, + 0.1103896103896104, + 0.06888542121100262, + 0.0575995461865027, + 0.09393939393939393, + 0.07638054568382437, + -0.0625, + 0.16999999999999998, + -0.04833333333333333, + 0.24330143540669857, + 0.6, + 0.050432900432900434, + 0.08383116883116883, + 0.08274306475837086, + 0.08888180749291859, + 0.07787707390648568, + 0.040833333333333346, + 0.08727272727272728, + -0.051219557086904045, + 0.16451149425287356, + 0.06091580254370953, + 0.09355838605838604, + 0.11941334527541424, + 0.10711364740701475, + 0.019047619047619053, + -0.030046296296296304, + -0.07261904761904761, + -0.012582345191040843, + 0, + 0.08854166666666666, + 0, + 0.05644103371376098, + 0.06980027548209365, + 0.1361548174048174, + 0.16399055489964584, + 0.025, + 0.15353171466214946, + 0.058711080586080586, + 0.06330749354005168, + 0.17760496671786996, + 0.10619834710743802, + -0.06420454545454544, + 0.26, + 0.035752171466457185, + 0.0496414617876882, + 0.13596666666666668, + 0.14879040404040406, + 0.10405032467532464, + 0.16, + 0.10549628942486089, + 0.08332437275985663, + 0.028888888888888898, + 0.07034090909090909, + 0.22255892255892254, + 0, + 0.1585763888888889, + 0.04916185666185665, + 0.11313035066199618, + 0.1475283446712018, + 0.13333333333333333, + 0.12444939081537022, + 0.4, + 0.28271604938271605, + 0.06702557858807862, + 0.09279191790352505, + 0.07845255342267296, + 0.11016483516483515, + 0.1, + 0.03515757724520612, + 0, + 0.058711080586080586, + 0.25, + 0.16547619047619047, + 0.25284090909090906, + 0.2447222222222222, + 0.014600766797736496, + 0.054403778040141695, + 0.5, + 0.08, + 0.1886904761904762, + 0.05500000000000001, + 0.020343137254901965, + 0.125323762697935, + 0.08117424242424243, + 0.026412579957356082, + 0, + 0.04577922077922078, + -0.2, + 0.7, + 0, + 0.002083333333333333, + 0.006249999999999996, + 0.4, + 0.026161616161616153, + 0.05925925925925926, + 0.002996710221480863, + 0.11016483516483515, + 0.08784786641929498, + 0.058333333333333334, + -0.019999999999999997, + 0.039315388912163116, + 0.21666666666666665, + 0.12468412942989214, + 0.06511985746679624, + 0.18260752164502164, + 0.3666666666666667, + 0.048088561521397344, + 0.06999999999999999, + 0, + 0.2447222222222222, + 0.031517556517556514, + 0, + 0.13148148148148148, + 0.11016483516483515, + 0.023232323232323233, + 0.10527985482530941, + 0, + 0.09464285714285715, + 0.10402597402597402, + 0.07989799472558094, + 0.09429824561403508, + -0.03207780379911525, + 0.039151903185516625, + 0.014306239737274216, + 0.12990219656886326, + -0.13333333333333333, + -0.2, + 0.12004310661090324, + 0.15029761904761904, + 0.13433303624480095, + 0.026164596273291933, + 0.11666666666666665, + -0.175, + 0.09333333333333334, + 0.5, + 0.04255686610759073, + 0.06701038159371493, + 0.06358907731567831, + 0.2447222222222222, + 0.15297093382807667, + 0.07342891797616208, + 0.04434624017957352, + 0.0363234703440889, + 0, + 0.005010521885521885, + 0.205, + 0.1285714285714286, + -0.08833333333333335, + 0.0583912037037037, + 0.00381821461366916, + 0.055528198653198656, + -0.15, + 0.03872164017122002, + -0.21600000000000003, + 0.03333333333333333, + -0.1642857142857143, + -0.005891555701682287, + 0.06275641025641025, + 0.1961038961038961, + 0.0330726572925821, + 0.2, + 0, + 0.08547815820543092, + -0.13999999999999999, + 0.04386297229580813, + 0.26666666666666666, + 0.12647876945749284, + 0.09771533881382363, + 0.25, + 0.11041666666666668, + 0, + 0.036286395703062364, + 0.075, + 0.05583333333333333, + -0.14, + 0.06004117208955919, + 0, + 0.058711080586080586, + 0.43333333333333335, + 0.09166666666666667, + 0.35, + 0.0740967365967366, + 0.125, + 0.06619923098581638, + -0.05714285714285715, + 0.12175403384494296, + 0.205, + -0.03440491588357442, + 0.09313429324298891, + 0.05568181818181818, + 0.16666666666666669, + 0.19999999999999998, + 0.09722222222222221, + 0.02716269841269842, + 0, + 0.03153001534330649, + 0.04481046992839448, + -0.03433583959899749, + 0.13516808712121214, + -0.3, + 0.13333333333333333, + 0.05644103371376098, + 0.07500000000000001, + 0.25, + 0.13181818181818183, + 0.03367765894236483, + 0.11016483516483515, + 0.003053410553410541, + 0.14067307692307693, + 0.05219036722085503, + 0.06666666666666667, + -0.031221303948576674, + 0.048507647907647916, + -0.16666666666666666, + -0.10119047619047619, + 0.03522046681840496, + 0.04732995718050066, + 0.2, + -0.3, + 0.14114583333333333, + 0.13681818181818184, + 0.26012987012987016, + 0.1266233766233766, + 0.05644103371376098, + 0.15550364269876468, + 0.04375, + -0.19396825396825398, + 0.05265002581516343, + -0.028619528619528625, + 0.15739204410846205, + -0.02532184591008121, + 0, + 0.12619047619047621, + 0.08750000000000001, + -0.005050505050505053, + 0.11144234553325463, + 0.55, + 0.05718822423367879, + -0.031221303948576674, + -0.05, + 0.19795918367346937, + 0.05815685876623378, + -0.0625, + 0.058711080586080586, + -0.2833333333333333, + 0.07985466914038343, + 0, + 0.0892338669082855, + 0.16, + 0.04947858107956631, + 0.08780414987311538, + -0.009104278074866315, + 0.13637057005176276, + 0.08332437275985663, + 0.08332437275985663, + 0.08784786641929498, + 0.07067497403946, + 0.09659090909090909, + 0.0793831168831169, + 0.01115801758747303, + 0.011111111111111112, + -0.125, + -0.03333333333333333, + 0.01762876719883091, + -0.025, + 0.01211490204710543, + 0.014918630751964083, + 0.16547619047619047, + 0.25, + -0.02051282051282051, + 0.11224927849927852, + 0.17203849807887076, + 0.2, + 0.02535866910866911, + 0.04559228650137742, + -0.30340909090909096, + 0.2, + 0.172, + 0.1243071236412945, + 0.128125, + 0.06355661881977673, + 0.06825087610801896, + 0.058333333333333334, + 0.04583333333333334, + 0.2833333333333333, + 0.1672317156527683, + 0.18447023809523808, + 0.6, + 0.019427768248522964, + 0.09464371572871574, + 0, + 0.13712121212121212, + 0.04333133672756314, + 0.275, + 0.12757892513990077, + 0.13460412953060014, + 0.10224955179500639, + 0.10693995274877625, + 0.019999999999999997, + 0.050451207391041426, + 0.14125000000000001, + 0.002465367965367964, + 0.08321104632329118, + 0.02243867243867244, + 0.15416666666666665, + 0.16666666666666666, + 0.10152538572538573, + 0.07247402597402594, + -0.1, + 0.08319701132201131, + 0.030289502164502165, + 0.0117283950617284, + -0.05, + -0.03018207282913165, + 0.029178503787878785, + 0.01363636363636364, + 0.10384615384615385, + 0.1285374149659864, + 0.16, + 0.04572285353535354, + 0.13382594417077176, + 0.058711080586080586, + 0, + 0.029382650395581435, + 0.05662029125844915 + ], + "xaxis": "x", + "y": [ + 1276, + 908, + 879, + 1890, + 1697, + 65, + 476, + 218, + 369, + 550, + 607, + 2482, + 735, + 44, + 576, + 47, + 463, + 69, + 596, + 825, + 1975, + 25, + 192, + 11, + 569, + 132, + 1837, + 743, + 62, + 36, + 93, + 2175, + 1439, + 45, + 56, + 1326, + 116, + 355, + 100, + 239, + 1089, + 82, + 30, + 34, + 408, + 499, + 182, + 1415, + 968, + 134, + 117, + 1221, + 598, + 772, + 301, + 36, + 1812, + 2366, + 288, + 1129, + 1264, + 812, + 40, + 18, + 1607, + 750, + 343, + 575, + 18, + 182, + 801, + 1965, + 548, + 2912, + 685, + 59, + 609, + 606, + 1465, + 666, + 1259, + 476, + 1080, + 1027, + 20, + 7, + 134, + 2721, + 593, + 170, + 962, + 30, + 89, + 482, + 172, + 1111, + 18, + 196, + 678, + 2721, + 13, + 518, + 82, + 2525, + 241, + 29, + 26, + 47, + 55, + 1974, + 14, + 1129, + 1697, + 32, + 1653, + 1140, + 987, + 536, + 105, + 481, + 143, + 1571, + 192, + 333, + 633, + 138, + 262, + 15, + 1450, + 33, + 1735, + 18, + 18, + 2488, + 970, + 19, + 2596, + 57, + 124, + 32, + 1113, + 2640, + 607, + 1176, + 484, + 59, + 73, + 23, + 35, + 743, + 208, + 649, + 2083, + 1403, + 451, + 12, + 299, + 2766, + 1336, + 2650, + 541, + 161, + 9, + 18, + 3811, + 369, + 636, + 11, + 437, + 34, + 32, + 1236, + 1382, + 2318, + 45, + 771, + 586, + 3324, + 1145, + 1724, + 583, + 20, + 3687, + 565, + 169, + 633, + 836, + 151, + 566, + 258, + 1440, + 193, + 1222, + 62, + 91, + 198, + 1025, + 37, + 333, + 89, + 1287, + 942, + 88, + 352, + 38, + 3209, + 1852, + 3066, + 206, + 624, + 933, + 3702, + 972, + 137, + 606, + 445, + 605, + 326, + 67, + 77, + 45, + 1091, + 2717, + 208, + 11, + 858, + 594, + 3766, + 68, + 154, + 89, + 631, + 1314, + 2506, + 572, + 40, + 87, + 1522, + 1250, + 72, + 575, + 1597, + 235, + 41, + 47, + 500, + 69, + 53, + 17, + 885, + 325, + 2513, + 30, + 88, + 581, + 1728, + 644, + 300, + 2398, + 85, + 215, + 166, + 309, + 13, + 57, + 699, + 3060, + 1888, + 175, + 146, + 81, + 984, + 491, + 571, + 943, + 587, + 3293, + 187, + 88, + 148, + 355, + 13, + 87, + 22, + 552, + 288, + 473, + 204, + 77, + 1151, + 649, + 504, + 833, + 390, + 91, + 32, + 2982, + 1081, + 397, + 213, + 525, + 39, + 631, + 885, + 77, + 469, + 100, + 17, + 275, + 1080, + 1063, + 1259, + 56, + 1000, + 19, + 180, + 1203, + 2523, + 2961, + 345, + 26, + 2204, + 31, + 649, + 32, + 223, + 190, + 86, + 1317, + 579, + 34, + 199, + 144, + 26, + 302, + 3991, + 539, + 650, + 24, + 174, + 33, + 22, + 55, + 126, + 110, + 18, + 688, + 76, + 1608, + 345, + 43, + 62, + 45, + 2447, + 103, + 600, + 637, + 1115, + 73, + 1004, + 125, + 38, + 86, + 278, + 7, + 103, + 345, + 40, + 2484, + 14, + 264, + 111, + 1094, + 744, + 788, + 1505, + 384, + 1157, + 17, + 72, + 1256, + 139, + 1129, + 412, + 104, + 50, + 88, + 24, + 2908, + 598, + 1920, + 86, + 339, + 2301, + 487, + 1074, + 11, + 756, + 80, + 44, + 151, + 447, + 810, + 1177, + 95, + 1312, + 57, + 46, + 44, + 1161, + 497, + 125, + 2062, + 23, + 25, + 1494, + 38, + 1599, + 74, + 1266, + 2315, + 16, + 38, + 9, + 2066, + 27, + 714, + 45, + 743, + 26, + 651, + 43, + 17, + 18, + 537, + 75, + 2392, + 95, + 601, + 80, + 2466, + 668, + 17, + 103, + 31, + 72, + 386, + 13, + 995, + 1521, + 295, + 838, + 45, + 55, + 552, + 51, + 48, + 208, + 2316, + 345, + 597, + 419, + 5184, + 116, + 326, + 1324, + 13, + 164, + 1240, + 1141, + 17, + 98, + 119, + 325, + 112, + 231, + 552, + 597, + 150, + 64, + 1174, + 96, + 1703, + 1336, + 13, + 106, + 594, + 88, + 407, + 42, + 1125, + 326, + 17, + 136, + 2230, + 55, + 649, + 43, + 56, + 45, + 481, + 20, + 2596, + 302, + 218, + 1999, + 885, + 885, + 43, + 4085, + 91, + 517, + 2698, + 73, + 36, + 43, + 1989, + 142, + 999, + 461, + 223, + 28, + 155, + 196, + 1653, + 17, + 570, + 932, + 70, + 17, + 369, + 2219, + 163, + 749, + 2239, + 62, + 475, + 38, + 885, + 1474, + 56, + 842, + 2917, + 59, + 154, + 1614, + 56, + 1167, + 1229, + 2488, + 1284, + 66, + 2747, + 187, + 462, + 1656, + 321, + 247, + 53, + 780, + 1286, + 37, + 603, + 240, + 866, + 20, + 617, + 757, + 141, + 436, + 395, + 22, + 423, + 316, + 649, + 28, + 1192, + 1891 + ], + "yaxis": "y" + } + ], + "layout": { + "legend": { + "title": { + "text": "label" + }, + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "Sentiment polarity" + }, + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 1 + ], + "title": { + "text": "polarity" + } + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 1 + ], + "title": { + "text": "text_len" + } + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = px.scatter(df, x='polarity', y='text_len', color='label', template=\"plotly_white\")\n", + "fig.update_layout(title_text='Sentiment polarity')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 102, + "metadata": {}, + "outputs": [ + { + "data": { + "application/vnd.plotly.v1+json": { + "config": { + "plotlyServerURL": "https://plot.ly" + }, + "data": [ + { + "contours": { + "coloring": "none" + }, + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "polarity=%{x}
text_len=%{y}
count=%{z}", + "legendgroup": "", + "line": { + "color": "#636efa" + }, + "name": "", + "showlegend": false, + "type": "histogram2dcontour", + "x": [ + -0.0875, + 0.1476190476190476, + 0.030865581278624765, + 0.04117378605330413, + 0.06080722187865045, + 0.08420443650309418, + 0.03880022144173086, + 0.1502754820936639, + 0.22980952380952382, + 0.09166666666666667, + 0.08664111498257838, + 0.10861865407319954, + 0.13025210084033612, + 0.0571650951787938, + 0.0333068783068783, + 0.12284090909090907, + 0.55, + 0.23888888888888885, + 0.18798791486291486, + -0.003333333333333326, + 0.06957070707070707, + 0.05567567567567566, + 0.15400724275724278, + -0.12071428571428573, + -0.006815708101422388, + 0.34444444444444444, + 0.14114420062695923, + 0.09125000000000001, + 0.08153846153846155, + 0.11390485652780734, + -0.010020941118502097, + 0, + 0.09606481481481483, + 0.15, + 0.1451683064410337, + 0.08105579605579605, + 0.09139438603724317, + 0.007000000000000001, + -0.146875, + 0.15550364269876468, + 0.10676748176748178, + -0.0432983193277311, + 0.011515827922077919, + 0.0864903389293633, + -0.075, + 0.12337588126159557, + -0.125, + 0.22782446311858073, + 0.1241732804232804, + 0.021666666666666657, + 0, + -0.028698206555349413, + 0.035897435897435895, + 0.019269896769896766, + 0.12272727272727273, + 0.06587301587301587, + 0.1642857142857143, + -0.009383753501400572, + 0.07337475077933091, + 0.06459740259740258, + 0.026760714918609648, + 0.07013888888888889, + 0.11770833333333333, + 0.12294372294372295, + 0.05672908741090559, + -0.040142857142857126, + 0.08711038961038962, + 0.17387755102040817, + 0.16818181818181818, + 0.05281385281385282, + 0.21250000000000002, + 0.1285714285714286, + 0.07601711979327043, + 0.035897435897435895, + 0.07503915461232535, + 0.05000000000000001, + 0.04545454545454545, + 0.05904128787878791, + 0.6, + 0.13075396825396823, + 0, + -0.08147727272727272, + 0.033415584415584426, + 0.0410693291226078, + 0.06294765840220384, + 0.07857142857142858, + -0.012582345191040843, + 0.008888888888888892, + 0.14727272727272728, + 0.03703703703703703, + 0.030289502164502165, + 0.06105471795126968, + 0.08333333333333333, + 0.027083333333333327, + 0.01666666666666668, + 0.21815398886827456, + 0.11167328042328044, + 0.001190476190476189, + 0.0046666666666666705, + 0.29166666666666663, + 0.031955922865013774, + 0.09587831733483905, + 0.0892360062418202, + 0.09375, + 0.15995370370370368, + 0.19999999999999998, + 0.10833333333333334, + 0.13705510992275702, + 0.05172573189522343, + 0.06481191222570534, + 0.11236772486772487, + -0.06038961038961039, + 0.2, + 0.05056236791530912, + 0.022969209469209464, + 0.06214985994397759, + 0.04635416666666666, + 0.13433303624480095, + 0.005204942736588304, + 0.07630758130758131, + 0.12647876945749284, + 0.07404994062290714, + 0.02175925925925925, + 0.125, + 0.04999999999999999, + 0.1388888888888889, + -0.00881032547699215, + 0.08976666666666666, + 0.06153982317117913, + 0.08785921325051763, + 0.04052553229083844, + 0.031250000000000014, + 0, + 0.06355661881977673, + 0.19523858717040535, + 0.15297093382807667, + 0.1875172532781229, + 0.02535866910866911, + 0, + 0.03921911421911422, + 0.015731430962200185, + 0.04736842105263159, + -0.06622435535479013, + 0.08754741290455577, + 0.16116038201564525, + -0.0011246636246636304, + 0.09365390382365692, + 0.05046034322820036, + 0.13189484126984122, + -0.060606060606060615, + 0.17169913419913424, + 0.07208118600975744, + -0.14166666666666666, + 0.0910017953622605, + 0.08910694959802103, + 0.09963698675062314, + 0.03355593752652577, + 0.2844666666666667, + 0.07520870795870796, + 0.11658200861069715, + 0.07484408247120114, + 0.08664111498257838, + 0.15181824924815582, + 0.0366505968778696, + 0.041118540850683706, + 0, + 0.22727272727272724, + 0, + 0.31875000000000003, + 0.09999999999999999, + 0.014680407975862522, + 0.09401098901098903, + -0.15972222222222224, + 0.06818181818181818, + 0.061373900824450295, + -0.3, + 0.060952380952380945, + 0.13008563074352547, + -0.15454545454545454, + 0.20909090909090908, + 0.08720582447855173, + 0.10191964285714285, + -0.024001924001924, + 0.1712576503955815, + 0.04635416666666666, + 0.04202178030303029, + 0.18095238095238095, + 0.13643939393939392, + 0.13055555555555556, + 0, + 0.10583333333333333, + 0.11388888888888889, + 0.08716645021645018, + 0.04047619047619048, + -0.02187499999999999, + 0.02386177041349455, + 0.039719714567275535, + 0.26666666666666666, + 0.014680407975862522, + -0.05000000000000001, + 0.014434523809523814, + 0.07804199858994376, + 0.057368441251419995, + 0.09905753968253968, + 0.11654761904761907, + 0.05076923076923076, + 0.06342150450229053, + -0.05500000000000001, + 0.05178236446093589, + -0.13333333333333333, + 0.09931372549019607, + 0.08105423987776927, + 0.1, + -0.6, + 0.1020671098448876, + 0.08333333333333331, + 0.10096379997954803, + 0.6, + 0.06050012862335138, + 0.21428571428571427, + 0.13433303624480095, + 0.03880022144173086, + 0, + 0.07526054523988408, + 0.14862391774891778, + 0.20952380952380953, + 0.041219336219336225, + 0.06439393939393939, + 0.11527890783914883, + 0.11085858585858586, + 0.03023729357062691, + 0.047222222222222214, + 0.04899515993265993, + 0.12234657602376045, + 0.11831460206460206, + 0.18642424242424244, + 0.09437240936147184, + 0.17229437229437225, + 0.0013736263736263687, + 0.13163809523809522, + 0.0640873015873016, + 0.07181868519077819, + 0.09518939393939392, + 0.028952991452991447, + 0.09568043068043068, + 0.275, + -0.125, + 0.04515941265941269, + 0.06117424242424242, + 0.09281305114638445, + -0.01742424242424243, + 0.0690873015873016, + 0.6, + 0, + 0.0818858225108225, + 0.11390485652780734, + 0.06189674523007856, + 0.12287272727272724, + 0.12851027940313658, + 0.10485355485355483, + 0, + 0.11991883116883115, + 0.04081632653061224, + 0.03383291545056253, + 0.08660468319559228, + 0.16969696969696968, + 0.1392857142857143, + 0.10238095238095239, + -0.125, + 0.1502754820936639, + 0.18095238095238095, + -0.3, + 0.0031301406926407017, + 0.23805114638447972, + 0.018213649096002035, + 0.05401550490326001, + 0.06633544749823819, + 0.08952516594516598, + 0.05967384887839434, + 0.11744791666666667, + 0.0026943498788158894, + 0.013825757575757571, + -0.15, + 0.3666666666666667, + 0, + -0.11000000000000001, + 0.16074016563147, + 0.014357142857142855, + 0.2785714285714286, + 0.08478617342253707, + 0.07333333333333333, + 0.058711080586080586, + 0.13791043631623343, + 0.045085520540066024, + 0.007142857142857145, + 0.03399852180339985, + 0, + 0.09923160173160171, + -0.11458333333333333, + 0.041797637390857734, + 0.15239393939393941, + 0.08677375256322624, + 0.09335730724971227, + 0.16013622974963176, + 0.013734862293474733, + 0.3666666666666667, + 0.03798400673400674, + 0.07896614739680433, + 0.05058941432259817, + 0.14727272727272728, + 0.11864058258126063, + 0.015824915824915825, + 0.12223707664884136, + 0, + 0.6000000000000001, + -0.06632996632996632, + 0.10640462374504926, + 0.07077777777777779, + 0.05710784313725491, + 0.08130335415846777, + 0.11215365765670643, + 0.0031243596953566747, + 0.04261382623224729, + 0.31875000000000003, + -0.05277777777777778, + 0.10067567567567567, + 0.11431373157807583, + 0.21471861471861473, + 0.09545329670329673, + 0.10512613822958654, + 0.14666666666666667, + 0, + 0.04145502645502646, + 0.10108784893267651, + -0.05, + 0.15795088920088918, + 0.07173184024423694, + 0.24090909090909093, + 0.005397727272727264, + 0.024621212121212117, + 0.3277777777777778, + -0.014285714285714282, + 0.05595238095238094, + 0.08330864980024645, + 0.08443276752487282, + 0.03432958410636981, + 0.11510645475923251, + 0.08996003996003994, + 0, + 0.07497594997594996, + -0.012878787878787873, + 0.06905766526019691, + -0.037542306178669806, + 0.06641873278236914, + 0.08166234277936399, + 0.08200528007346189, + 0.04987236355194104, + 0.096086860670194, + 0.03098484848484847, + 0.005397727272727264, + 0.15288461538461537, + 0.20833333333333331, + 0.018499478916145576, + -0.2, + 0.08930373944928742, + 0.018046536796536804, + 0.04888888888888888, + 0.038933566433566436, + 0.04545454545454545, + -0.011946166207529847, + 0.20260942760942757, + 0.10135918003565066, + 0.02030973721114566, + 0.07202797202797204, + 0.13636363636363635, + 0.07032081686429513, + 0.07943722943722943, + 0.171875, + 0.04448907335505272, + 0.024218750000000015, + 0.05724227100333295, + -0.02187499999999999, + 0.09722222222222222, + 0.16436507936507938, + 0.053834260977118124, + -0.005487391193036351, + -0.1, + 0.11281249999999995, + 0.058333333333333334, + 0.007024793388429759, + 0.0438690476190476, + 0.09659090909090909, + 0.066998258857763, + -0.041666666666666664, + 0.10666666666666666, + -0.11306926406926408, + 0.03618793161203875, + 0.09809059987631415, + 0.09198165206886136, + 0.015367965367965364, + 0.16818181818181818, + 0.1717532467532468, + 0.10609696969696969, + 0.1902058421376603, + 0.20909090909090908, + 0.09555194805194804, + 0.0963110269360269, + 0.0991494334445154, + 0.06677764659582841, + 0.15142857142857144, + 0.15165289256198347, + 0.25999999999999995, + -0.007575757575757576, + 0.0017189586114819736, + 0.1608180506362325, + -0.2, + 0.12257921476671481, + 0.32500000000000007, + 0.07781385281385282, + 0.26776094276094276, + -0.00019240019240018835, + 0.10633625410733845, + 0.12468412942989214, + 0.07563778409090904, + 0.03586192613970391, + 0.10676748176748178, + 0.05975379585999057, + 0.14241478011969813, + 0.1663328598484848, + -0.05, + 0.10334896584896587, + 0.07736415882967608, + 0.07054347826086955, + 0.12956709956709958, + 0.06853273518596098, + 0.13055555555555556, + 0.010291005291005293, + -0.017020202020202026, + 0.09391304347826088, + 0.1877181337181337, + 0.03333333333333333, + -0.006481481481481484, + 0.15093178327049298, + 0.1645021645021645, + 0.19999999999999998, + 0.05, + 0.1898989898989899, + 0.05333333333333333, + 0.03329696179011247, + 0.13636363636363635, + 0.036031100330711226, + 0.015404040404040411, + 0, + 0.16100844644077736, + -0.0011904761904761862, + 0.06101174560733384, + 0.038975869809203145, + 0.05917504605544954, + 0.21666666666666667, + -0.13095238095238096, + 0.1886977886977887, + 0.10150613275613275, + 0.3052631578947368, + 0.02834982477839621, + 0.09215976731601733, + 0.09697014790764792, + -0.07999999999999999, + 0.12637405471430369, + 0.12349468713105076, + 0.15870129870129868, + 0.07857142857142858, + 0.03199855699855699, + 0.027407647907647905, + 0.10244898922469015, + 0.11352080620373302, + 0.011833333333333335, + 0.01372474747474745, + 0.171875, + 0, + 0.15416666666666667, + -0.006481481481481484, + 0.005116789685135007, + 0.1374362087776722, + 0.06501541387905022, + 0.0578336940836941, + 0.06041666666666667, + 0.0840175913268019, + 0.1962962962962963, + -0.010416666666666661, + 0.24625850340136052, + 0.027970521541950115, + 0.12887595163457227, + 0.31375000000000003, + 0.07681523022432114, + 0.103494623655914, + 0.05476317799847212, + 0.003539944903581255, + 0.21212121212121213, + 0.08208333333333331, + 0.06166666666666668, + 0.33, + 0.3499999999999999, + 0.1549175824175824, + 0.18454545454545454, + 0.08714285714285715, + -0.14772727272727273, + 0.17264957264957262, + -0.01602564102564102, + 0.09969209469209472, + 0, + 0.08332437275985663, + 0.0205011655011655, + 0.03267156862745097, + 0.0342784992784993, + 0.12380952380952381, + -0.1, + -0.02033730158730164, + -0.04444444444444443, + -0.041666666666666664, + 0.1103896103896104, + 0.06888542121100262, + 0.0575995461865027, + 0.09393939393939393, + 0.07638054568382437, + -0.0625, + 0.04622727272727273, + 0.1077777777777778, + -0.010806277056277059, + -0.042350596557913636, + 0.16999999999999998, + -0.04833333333333333, + 0.225, + 0.24330143540669857, + 0.6, + 0.050432900432900434, + 0.08383116883116883, + 0.08274306475837086, + 0.08888180749291859, + 0.07787707390648568, + 0.10818181818181818, + 0.040833333333333346, + 0.08727272727272728, + 0.0910748106060606, + -0.051219557086904045, + 0.13055555555555556, + 0.4035714285714285, + 0.07222222222222223, + 0.009727082631274246, + 0.08340651412079986, + 0.16451149425287356, + 0.06091580254370953, + 0.09267161410018554, + -0.007363459391761272, + 0.1124557143374348, + 0.09355838605838604, + 0.18958333333333333, + 0.03648730411888306, + 0.11941334527541424, + 0.18863636363636363, + 0.15535714285714283, + 0.10377056277056276, + 0.10711364740701475, + 0.20113636363636364, + 0.019047619047619053, + -0.030046296296296304, + -0.018518518518518517, + -0.07261904761904761, + 0.45555555555555555, + 0.08977272727272727, + -0.012582345191040843, + 0, + 0.08854166666666666, + 0.04848484848484847, + 0.05052269919036386, + 0, + 0.2625, + 0.05644103371376098, + 0.06980027548209365, + -0.026470588235294107, + -0.075, + 0.1361548174048174, + 0.085, + 0.16399055489964584, + 0.025, + 0.14753659039373326, + -0.08357082732082731, + 0.08450937950937948, + 0.15353171466214946, + 0.058711080586080586, + 0.022668141037706247, + 0.07899292065958735, + 0.052146464646464656, + 0.06330749354005168, + 0.17760496671786996, + 0.10619834710743802, + 0.0675736961451247, + 0.08977272727272727, + -0.06420454545454544, + 0.26, + 0.07464321392892824, + -0.12993197278911564, + 0.035752171466457185, + 0.0496414617876882, + 0.06592764378478663, + 0.07897435897435898, + 0.17272727272727273, + 0.11657249838284317, + 0.0967444284110951, + 0.07115458381281166, + 0.13596666666666668, + 0.14879040404040406, + 0.3277777777777778, + 0.10405032467532464, + 0.16, + 0.10844444444444444, + 0.05494181143531794, + 0.12273232323232328, + 0.22000000000000003, + 0.047619541277436006, + 0.15757575757575756, + 0.10549628942486089, + 0.036363636363636355, + 0.08332437275985663, + 0.19318181818181818, + 0.03333333333333333, + 0.23958333333333331, + 0.028888888888888898, + 0.07034090909090909, + 0.22255892255892254, + 0, + 0.1585763888888889, + 0.04916185666185665, + 0.1028210678210678, + 0.0872885222885223, + -0.02745825602968461, + 0.11313035066199618, + 0.05818104188357353, + 0.07637310606060606, + 0.20113636363636364, + 0.1475283446712018, + 0.06564818300325546, + 0.16204545454545455, + 0.22198773448773448, + 0.12027103331451158, + -0.008633761502613963, + -0.2, + 0.13333333333333333, + 0.12444939081537022, + 0.240625, + 0.13999999999999999, + 0.4, + 0.28271604938271605, + 0.06702557858807862, + 0.09279191790352505, + 0.07845255342267296, + 0.11016483516483515, + 0.1, + 0.03515757724520612, + 0.07488026410723778, + 0.07924071542492594, + 0.25, + 0.08858668733668736, + 0.03, + 0.10979997014479773, + 0, + 0.0031250000000000097, + 0.058711080586080586, + 0.25, + 0.16547619047619047, + 0.25284090909090906, + -0.0936210847975554, + 0.15909090909090906, + 0.2447222222222222, + 0.25, + 0.05270634920634922, + 0.125, + -0.125, + 0.07814715942493718, + 0.13055555555555556, + 0.028703703703703703, + 0.014600766797736496, + 0.05303030303030303, + 0.054403778040141695, + 0.1106060606060606, + 0.25, + 0.5, + 0.08, + 0.1886904761904762, + 0.05500000000000001, + 0.020343137254901965, + 0.015384615384615385, + 0.125323762697935, + 0.08117424242424243, + 0.06078431372549019, + 0.16654135338345863, + -0.01749639249639251, + 0.11499999999999999, + 0.026412579957356082, + 0, + 0.09138367805034472, + 0.04577922077922078, + 0.028571428571428564, + -0.2, + 0.7, + 0, + 0.002083333333333333, + -0.3, + 0.14357142857142857, + 0.006249999999999996, + 0.20714285714285713, + 0.07103379123064166, + 0.4, + 0.026161616161616153, + 0.05548951048951049, + 0.07291666666666669, + -0.007499999999999974, + 0.10574216871091872, + 0.05925925925925926, + 0.002996710221480863, + 0.11016483516483515, + 0.08784786641929498, + 0.058333333333333334, + -0.019999999999999997, + 0.1, + -0.25, + 0.012301587301587306, + 0.039315388912163116, + 0.21666666666666665, + -0.6, + 0.12468412942989214, + 0.06511985746679624, + 0.18260752164502164, + 0.3666666666666667, + 0.08219148001756696, + 0.054166666666666675, + 0.15277777777777776, + 0.048088561521397344, + 0.06999999999999999, + 0, + 0.2447222222222222, + 0.011833333333333335, + 0.031517556517556514, + 0, + 0.13148148148148148, + 0.11016483516483515, + -0.07499999999999998, + 0.023232323232323233, + 0.10527985482530941, + 0, + 0, + -0.018124999999999995, + 0.09464285714285715, + 0.10402597402597402, + 0.17841478696741853, + -0.19088203463203463, + 0.07989799472558094, + 0.10598006644518274, + 0.09429824561403508, + 0.15454545454545454, + 0.0887897967011891, + -0.03207780379911525, + 0.05078124999999999, + 0.039151903185516625, + 0.10351769245247504, + 0.014306239737274216, + -0.03272727272727273, + 0.12990219656886326, + -0.13333333333333333, + -0.2, + 0.12004310661090324, + 0.17307692307692307, + 0.15029761904761904, + 0.13433303624480095, + 0.026164596273291933, + 0.03460638127304793, + 0.11666666666666665, + -0.175, + 0.09333333333333334, + 0.08232380672940122, + 0.5, + 0.1036730945821855, + 0.04255686610759073, + 0.10555833055833053, + 0.06701038159371493, + 0.10641878954378953, + 0.2567254174397031, + 0.06358907731567831, + 0.2447222222222222, + 0.15297093382807667, + 0.07342891797616208, + 0.18416305916305917, + 0.21212121212121213, + 0.04434624017957352, + 0.09011742424242426, + 0.0363234703440889, + 0.05877461248428989, + 0.027304217521608828, + 0.08660468319559228, + 0, + 0.005010521885521885, + 0.205, + 0.1285714285714286, + -0.08833333333333335, + 0.03571428571428571, + 0.0583912037037037, + 0.00381821461366916, + 0.38333333333333336, + 0.055528198653198656, + -0.15, + 0.5, + 0.09209436396936398, + 0.10835497835497836, + 0.03872164017122002, + -0.21600000000000003, + 0.03333333333333333, + 0.03612231739891315, + -0.1642857142857143, + 0.009313725490196077, + -0.005891555701682287, + 0.1977961432506887, + 0.06712962962962962, + 0.06298779722692767, + 0.06275641025641025, + 0.1961038961038961, + 0.0330726572925821, + 0.2, + 0, + -0.06607142857142857, + 0.08547815820543092, + 0.16436507936507938, + 0.06670983778126635, + 0.15037337662337663, + -0.13999999999999999, + 0.04386297229580813, + -0.02100033952975128, + -0.11249999999999999, + 0.26666666666666666, + 0.12647876945749284, + 0.09771533881382363, + 0.25, + -0.05277777777777778, + 0.028571428571428557, + 0.07107843137254902, + 0.11041666666666668, + 0, + 0.036286395703062364, + 0.075, + 0.05583333333333333, + 0.16805555555555554, + 0.020448179271708684, + 0.12037037037037036, + 0.20714285714285713, + 0.06686147186147187, + -0.14, + 0.07207792207792209, + 0.05832848484848486, + 0.15119047619047618, + 0.06004117208955919, + 0, + 0.059555555555555556, + 0.14583333333333334, + 0.058711080586080586, + -0.005795870795870796, + 0.1396031746031746, + 0.43333333333333335, + 0.09166666666666667, + 0.09559523809523808, + 0.09333333333333332, + 0.29125874125874124, + 0.02621212121212122, + 0.08993335096276277, + -0.029918981481481494, + 0.35, + 0.0536096256684492, + 0.0740967365967366, + 0.08639447267708139, + 0.125, + 0.06619923098581638, + -0.25, + 0.03970418470418469, + 0.13158899923605805, + 0.08333333333333334, + -0.05714285714285715, + 0.0376082251082251, + 0.13007866117622213, + 0.12175403384494296, + 0.16526747062461347, + 0.11019988242210464, + 0.06254095004095003, + 0.023068735242030694, + 0.08066239316239317, + 0.011833333333333335, + 0.05496031746031745, + 0.205, + 0.12956709956709958, + -0.03440491588357442, + 0.09313429324298891, + 0.05568181818181818, + -0.15870490620490624, + 0.038279736136878996, + 0.29103641456582635, + 0.12500676406926406, + 0.16666666666666669, + 0.21114718614718614, + 0.19999999999999998, + 0.09722222222222221, + 0.02716269841269842, + 0.2727272727272727, + 0.17064306661080852, + -0.23333333333333328, + 0, + 0.03153001534330649, + 0.07357282502443796, + 0.04460784313725491, + 0.22787878787878793, + 0.04481046992839448, + -0.03433583959899749, + 0.12857142857142853, + 0.13516808712121214, + 0.09782608695652174, + -0.3, + 0.13333333333333333, + 0.05644103371376098, + 0.07500000000000001, + 0.25, + 0.09233511586452763, + 0.09142857142857143, + 0.13181818181818183, + 0.3277777777777778, + -0.058333333333333334, + 0.03367765894236483, + 0.11016483516483515, + 0.003053410553410541, + 0.14067307692307693, + 0.12284090909090907, + 0.05219036722085503, + 0.22727272727272724, + 0.06666666666666667, + -0.031221303948576674, + 0.0217389845296822, + -0.15999999999999998, + 0.048507647907647916, + -0.16666666666666666, + 0.16583333333333333, + 0.16402278599953019, + -0.10119047619047619, + 0.10259105628670848, + 0.03731294710018114, + 0.03522046681840496, + 0.028434704184704195, + 0.049743431855500814, + 0.04732995718050066, + 0.2, + -0.075, + 0.17916666666666667, + -0.3, + 0.022199921290830385, + 0.14114583333333333, + 0.03928571428571428, + 0.10753289614675753, + -0.05205441189047746, + 0.13681818181818184, + 0.26012987012987016, + 0.1266233766233766, + 0.09440277777777778, + -0.10952380952380951, + 0.20714285714285713, + 0.05644103371376098, + 0.15550364269876468, + 0.07888337153043035, + 0.08397435897435898, + 0.04375, + -0.19396825396825398, + -0.11458333333333333, + 0.05265002581516343, + -0.028619528619528625, + 0.15739204410846205, + 0.008436639118457299, + -0.02532184591008121, + 0, + 0.12619047619047621, + 0.08750000000000001, + -0.005050505050505053, + 0.11144234553325463, + 0.55, + 0.05718822423367879, + -0.031221303948576674, + -0.05, + -0.06000000000000001, + 0.12760416666666669, + 0.19795918367346937, + 0.25, + 0.046916666666666676, + 0.05815685876623378, + 0.22252121212121218, + 0.02853174603174602, + 0.07159373586612393, + 0.11136363636363637, + 0.1476190476190476, + 0.05443264947612773, + 0.16402597402597402, + -0.0625, + 0.04622727272727273, + -0.007384772090654448, + 0.058711080586080586, + -0.2833333333333333, + 0.07985466914038343, + 0, + 0.05851851851851851, + 0.06195628646715604, + 0.10677747329123474, + 0.0892338669082855, + 0.16, + 0.04947858107956631, + 0.05238095238095238, + 0.23888888888888885, + 0.08780414987311538, + 0.06333333333333332, + 0.07530078563411897, + -0.003976697061803446, + -0.009104278074866315, + 0.13637057005176276, + 0.025595238095238088, + 0.14760251653108794, + 0.08332437275985663, + 0.07756410256410257, + 0.09287546561965167, + 0.17798996458087368, + 0.08332437275985663, + 0.08784786641929498, + 0.07067497403946, + 0.09659090909090909, + 0.0793831168831169, + 0.01115801758747303, + -0.03371782610154703, + 0.011111111111111112, + -0.125, + -0.03333333333333333, + 0.02072189284145806, + 0.01762876719883091, + -0.025, + 0.01211490204710543, + 0.07391774891774892, + 0.014918630751964083, + -0.00019240019240018835, + 0.16547619047619047, + 0.25, + -0.11666293476638308, + -0.02051282051282051, + 0.11224927849927852, + 0.21875, + 0.14518003697691204, + 0.17203849807887076, + 0.2, + 0.09870394593416179, + 0.02535866910866911, + 0.2, + 0.04189655172413794, + 0.028433892496392485, + 0.07142857142857142, + 0.1784749670619236, + -0.05, + 0.06245967741935485, + 0.22348484848484845, + 0.08009959579561853, + 0.18353174603174602, + 0.04559228650137742, + -0.30340909090909096, + 0.10047225501770955, + 0.09780474155474154, + 0.2, + 0.172, + 0.12172689461459513, + 0.1243071236412945, + 0.128125, + -0.0947089947089947, + 0.06355661881977673, + 0.10356134324612586, + 0.024285714285714282, + 0.06825087610801896, + 0.058333333333333334, + 0.01325757575757576, + 0.04583333333333334, + 0.2833333333333333, + 0.07013539651837523, + 0.06074591149591147, + 0.1672317156527683, + 0.18447023809523808, + 0.6, + 0.019427768248522964, + 0.34444444444444444, + 0.09464371572871574, + 0, + 0.04545454545454545, + 0.13712121212121212, + 0.04333133672756314, + 0.22787878787878793, + 0.275, + 0.07928841991341992, + 0.1053469387755102, + 0.09083177911241154, + 0.12757892513990077, + 0.12619047619047616, + 0.13460412953060014, + 0.10224955179500639, + 0.10693995274877625, + 0.005333333333333328, + 0.019999999999999997, + 0.050451207391041426, + 0.0009618506493506484, + 0.084258196583778, + 0.14125000000000001, + 0.08726422740121369, + 0.04991718991718992, + 0.13522830344258918, + 0.002465367965367964, + 0.049926536212663374, + 0.08321104632329118, + 0.07832405689548547, + 0.025708616780045344, + 0.12090067340067338, + 0.17954545454545456, + 0.0649891774891775, + 0.02243867243867244, + 0.15416666666666665, + 0.16666666666666666, + 0.10152538572538573, + 0.041373706004140795, + 0.3477272727272727, + 0.07247402597402594, + -0.075, + -0.1, + 0.04256012506012507, + 0.07178631553631552, + 0.08319701132201131, + 0.030289502164502165, + 0.0117283950617284, + 0.14329545454545456, + 0.1301851851851852, + 0.012301587301587306, + 0.06781849103277673, + -0.05, + -0.03018207282913165, + 0.029178503787878785, + 0.01363636363636364, + 0.10384615384615385, + 0.08370845986517628, + 0.2772847522847523, + -0.05539867109634551, + 0.1285374149659864, + 0.16, + 0.13327552420145022, + 0.04264696656001003, + 0.04572285353535354, + 0.13382594417077176, + 0.1258793428793429, + 0.058711080586080586, + 0, + 0.1018547544409614, + 0.029382650395581435, + 0.08737845418470418, + 0.05662029125844915, + -0.010121951219512199, + 0.06875 + ], + "xaxis": "x", + "xbingroup": "x", + "y": [ + 56, + 56, + 1276, + 908, + 879, + 1890, + 1697, + 64, + 93, + 65, + 476, + 578, + 143, + 731, + 425, + 70, + 33, + 190, + 574, + 218, + 218, + 369, + 461, + 96, + 550, + 86, + 681, + 607, + 151, + 2482, + 735, + 44, + 576, + 47, + 2062, + 463, + 618, + 64, + 69, + 596, + 508, + 339, + 825, + 564, + 12, + 1975, + 25, + 192, + 304, + 68, + 11, + 569, + 178, + 764, + 65, + 420, + 132, + 147, + 1837, + 155, + 743, + 179, + 82, + 252, + 1330, + 46, + 367, + 62, + 36, + 72, + 86, + 93, + 2175, + 64, + 1439, + 247, + 47, + 797, + 45, + 111, + 56, + 91, + 1326, + 3069, + 116, + 176, + 355, + 102, + 54, + 100, + 239, + 1089, + 82, + 30, + 34, + 408, + 183, + 499, + 182, + 40, + 317, + 1415, + 968, + 134, + 117, + 48, + 138, + 1221, + 598, + 772, + 301, + 136, + 36, + 1812, + 2366, + 288, + 349, + 1129, + 796, + 971, + 1264, + 2664, + 812, + 40, + 18, + 97, + 247, + 237, + 1607, + 1165, + 3295, + 159, + 58, + 750, + 1150, + 343, + 406, + 575, + 18, + 182, + 801, + 117, + 236, + 1464, + 1965, + 548, + 2912, + 685, + 489, + 59, + 501, + 609, + 13, + 1105, + 606, + 781, + 1465, + 306, + 666, + 1259, + 631, + 476, + 1080, + 174, + 1027, + 20, + 67, + 7, + 54, + 134, + 2721, + 593, + 170, + 25, + 962, + 26, + 72, + 1195, + 30, + 89, + 482, + 172, + 132, + 638, + 350, + 1111, + 206, + 405, + 135, + 18, + 157, + 109, + 1653, + 131, + 196, + 678, + 1028, + 80, + 2721, + 13, + 612, + 2455, + 2116, + 364, + 518, + 82, + 2525, + 241, + 1247, + 29, + 260, + 484, + 26, + 47, + 888, + 143, + 1545, + 55, + 1974, + 14, + 1129, + 1697, + 32, + 1653, + 1140, + 93, + 987, + 536, + 1030, + 105, + 481, + 143, + 928, + 2450, + 226, + 140, + 1571, + 125, + 192, + 333, + 167, + 633, + 138, + 262, + 667, + 78, + 15, + 1450, + 33, + 1735, + 189, + 146, + 18, + 18, + 246, + 2488, + 229, + 970, + 2407, + 1144, + 19, + 615, + 107, + 2596, + 268, + 57, + 124, + 153, + 32, + 64, + 205, + 63, + 1113, + 231, + 167, + 2640, + 637, + 1384, + 607, + 635, + 1176, + 484, + 59, + 73, + 23, + 35, + 479, + 574, + 128, + 743, + 208, + 649, + 2083, + 1403, + 76, + 451, + 12, + 299, + 50, + 768, + 705, + 193, + 941, + 1118, + 2766, + 83, + 467, + 1336, + 2650, + 54, + 1178, + 541, + 161, + 9, + 18, + 72, + 532, + 302, + 219, + 3688, + 2046, + 3811, + 1266, + 54, + 101, + 369, + 2796, + 120, + 636, + 977, + 136, + 11, + 199, + 437, + 34, + 816, + 1210, + 73, + 167, + 32, + 42, + 83, + 112, + 1426, + 557, + 1236, + 1382, + 2318, + 45, + 1174, + 174, + 771, + 543, + 586, + 3324, + 1145, + 1724, + 583, + 199, + 166, + 126, + 31, + 662, + 20, + 3687, + 211, + 167, + 565, + 45, + 755, + 169, + 633, + 836, + 151, + 72, + 1062, + 88, + 566, + 1002, + 258, + 1440, + 193, + 93, + 208, + 215, + 1222, + 91, + 758, + 62, + 173, + 159, + 91, + 1580, + 122, + 76, + 245, + 904, + 198, + 1025, + 164, + 37, + 85, + 333, + 1524, + 89, + 1287, + 1368, + 3703, + 942, + 88, + 352, + 51, + 38, + 3209, + 1852, + 78, + 3066, + 90, + 95, + 206, + 55, + 769, + 624, + 2056, + 933, + 508, + 3702, + 776, + 972, + 137, + 606, + 445, + 256, + 100, + 1720, + 134, + 526, + 605, + 194, + 326, + 67, + 80, + 855, + 169, + 77, + 45, + 42, + 150, + 1091, + 129, + 2717, + 208, + 11, + 2691, + 62, + 858, + 594, + 3766, + 168, + 111, + 382, + 287, + 356, + 230, + 725, + 151, + 68, + 2374, + 154, + 108, + 89, + 631, + 880, + 1314, + 2506, + 181, + 192, + 572, + 40, + 87, + 81, + 1522, + 387, + 821, + 1250, + 72, + 1674, + 81, + 123, + 145, + 184, + 1349, + 107, + 575, + 364, + 1597, + 963, + 30, + 151, + 235, + 41, + 47, + 500, + 69, + 53, + 138, + 46, + 141, + 1402, + 17, + 885, + 679, + 325, + 2513, + 45, + 30, + 88, + 39, + 47, + 581, + 1728, + 644, + 300, + 2398, + 85, + 95, + 153, + 213, + 476, + 215, + 166, + 4, + 309, + 13, + 57, + 699, + 3060, + 1888, + 175, + 286, + 146, + 81, + 220, + 984, + 363, + 60, + 110, + 2085, + 511, + 491, + 571, + 537, + 903, + 3560, + 943, + 106, + 741, + 587, + 146, + 885, + 1232, + 3293, + 181, + 187, + 88, + 148, + 148, + 68, + 62, + 355, + 13, + 87, + 81, + 1783, + 22, + 55, + 552, + 288, + 236, + 12, + 473, + 45, + 204, + 77, + 233, + 190, + 1650, + 1151, + 649, + 712, + 1610, + 113, + 504, + 833, + 390, + 322, + 62, + 91, + 32, + 1162, + 91, + 2982, + 1081, + 576, + 134, + 38, + 1404, + 633, + 1214, + 397, + 213, + 42, + 525, + 39, + 149, + 985, + 821, + 35, + 1082, + 142, + 631, + 145, + 885, + 17, + 66, + 172, + 77, + 469, + 100, + 17, + 275, + 1080, + 143, + 1080, + 63, + 1063, + 1012, + 895, + 184, + 1259, + 2257, + 77, + 146, + 215, + 1424, + 23, + 56, + 1000, + 170, + 143, + 19, + 180, + 1203, + 2523, + 2961, + 345, + 26, + 2204, + 689, + 205, + 28, + 1460, + 68, + 313, + 31, + 82, + 649, + 32, + 223, + 190, + 244, + 153, + 86, + 28, + 788, + 69, + 21, + 2072, + 134, + 122, + 1317, + 313, + 579, + 96, + 24, + 34, + 199, + 144, + 26, + 302, + 150, + 3991, + 539, + 244, + 141, + 1750, + 34, + 650, + 24, + 558, + 174, + 94, + 33, + 22, + 55, + 126, + 6, + 101, + 110, + 272, + 1609, + 18, + 688, + 162, + 144, + 176, + 908, + 76, + 1608, + 345, + 43, + 62, + 45, + 148, + 50, + 148, + 2447, + 103, + 72, + 600, + 637, + 1115, + 73, + 513, + 138, + 185, + 1004, + 125, + 38, + 86, + 181, + 278, + 7, + 103, + 345, + 68, + 40, + 2484, + 14, + 8, + 152, + 264, + 111, + 439, + 69, + 1094, + 374, + 744, + 124, + 1127, + 788, + 518, + 1505, + 881, + 384, + 103, + 1157, + 17, + 72, + 1256, + 158, + 139, + 1129, + 412, + 441, + 104, + 50, + 88, + 1659, + 24, + 366, + 2908, + 549, + 598, + 1525, + 104, + 1920, + 86, + 339, + 2301, + 186, + 30, + 487, + 484, + 1074, + 336, + 615, + 268, + 11, + 756, + 80, + 44, + 151, + 118, + 447, + 810, + 75, + 1177, + 95, + 50, + 776, + 411, + 1312, + 57, + 46, + 552, + 44, + 240, + 1161, + 153, + 174, + 1047, + 497, + 125, + 2062, + 23, + 25, + 104, + 1494, + 208, + 797, + 142, + 38, + 1599, + 547, + 71, + 74, + 1266, + 2315, + 16, + 100, + 82, + 164, + 38, + 9, + 2066, + 27, + 714, + 120, + 156, + 291, + 270, + 334, + 45, + 133, + 1506, + 45, + 743, + 26, + 141, + 146, + 651, + 898, + 159, + 43, + 17, + 155, + 141, + 180, + 1403, + 2612, + 795, + 18, + 137, + 537, + 1551, + 75, + 2392, + 25, + 192, + 190, + 69, + 95, + 252, + 277, + 601, + 511, + 391, + 763, + 884, + 168, + 177, + 140, + 80, + 100, + 2466, + 668, + 17, + 121, + 564, + 190, + 135, + 103, + 43, + 31, + 72, + 386, + 59, + 413, + 69, + 13, + 995, + 1002, + 489, + 80, + 1521, + 295, + 185, + 838, + 143, + 45, + 55, + 552, + 51, + 48, + 158, + 56, + 208, + 85, + 89, + 2316, + 345, + 597, + 419, + 68, + 5184, + 68, + 116, + 326, + 1114, + 67, + 1324, + 13, + 96, + 732, + 164, + 3887, + 454, + 1240, + 1404, + 843, + 1141, + 17, + 118, + 76, + 98, + 805, + 119, + 88, + 1243, + 752, + 325, + 112, + 231, + 712, + 52, + 270, + 552, + 597, + 169, + 96, + 150, + 64, + 50, + 1174, + 96, + 1703, + 349, + 1336, + 13, + 106, + 594, + 88, + 407, + 42, + 1125, + 326, + 17, + 123, + 200, + 136, + 54, + 470, + 2230, + 275, + 509, + 1470, + 135, + 56, + 1241, + 160, + 55, + 95, + 136, + 649, + 43, + 56, + 45, + 93, + 1018, + 1124, + 481, + 20, + 2596, + 81, + 189, + 302, + 130, + 866, + 549, + 218, + 1999, + 200, + 1009, + 885, + 115, + 2210, + 230, + 885, + 43, + 4085, + 91, + 517, + 2698, + 584, + 73, + 36, + 43, + 2062, + 1989, + 142, + 999, + 132, + 461, + 55, + 223, + 28, + 420, + 155, + 196, + 151, + 2198, + 1653, + 17, + 3345, + 570, + 22, + 286, + 857, + 118, + 803, + 66, + 789, + 139, + 1599, + 153, + 932, + 70, + 142, + 838, + 17, + 369, + 2117, + 2219, + 163, + 128, + 749, + 1420, + 153, + 2239, + 62, + 39, + 475, + 38, + 1356, + 1162, + 885, + 1474, + 56, + 842, + 86, + 2917, + 59, + 64, + 154, + 1614, + 80, + 56, + 248, + 914, + 3235, + 1167, + 54, + 1229, + 2488, + 1284, + 143, + 66, + 2747, + 269, + 1659, + 187, + 970, + 1649, + 1288, + 462, + 1819, + 1656, + 47, + 197, + 2114, + 62, + 274, + 321, + 247, + 53, + 780, + 1268, + 78, + 1286, + 120, + 37, + 361, + 204, + 603, + 240, + 866, + 138, + 198, + 148, + 184, + 20, + 617, + 757, + 141, + 436, + 874, + 165, + 679, + 395, + 22, + 777, + 609, + 423, + 316, + 861, + 649, + 28, + 1161, + 1192, + 4557, + 1891, + 533, + 177 + ], + "yaxis": "y", + "ybingroup": "y" + }, + { + "alignmentgroup": "True", + "bingroup": "x", + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "polarity=%{x}
count=%{y}", + "legendgroup": "", + "marker": { + "color": "#636efa" + }, + "name": "", + "offsetgroup": "", + "opacity": 0.5, + "showlegend": false, + "type": "histogram", + "x": [ + -0.0875, + 0.1476190476190476, + 0.030865581278624765, + 0.04117378605330413, + 0.06080722187865045, + 0.08420443650309418, + 0.03880022144173086, + 0.1502754820936639, + 0.22980952380952382, + 0.09166666666666667, + 0.08664111498257838, + 0.10861865407319954, + 0.13025210084033612, + 0.0571650951787938, + 0.0333068783068783, + 0.12284090909090907, + 0.55, + 0.23888888888888885, + 0.18798791486291486, + -0.003333333333333326, + 0.06957070707070707, + 0.05567567567567566, + 0.15400724275724278, + -0.12071428571428573, + -0.006815708101422388, + 0.34444444444444444, + 0.14114420062695923, + 0.09125000000000001, + 0.08153846153846155, + 0.11390485652780734, + -0.010020941118502097, + 0, + 0.09606481481481483, + 0.15, + 0.1451683064410337, + 0.08105579605579605, + 0.09139438603724317, + 0.007000000000000001, + -0.146875, + 0.15550364269876468, + 0.10676748176748178, + -0.0432983193277311, + 0.011515827922077919, + 0.0864903389293633, + -0.075, + 0.12337588126159557, + -0.125, + 0.22782446311858073, + 0.1241732804232804, + 0.021666666666666657, + 0, + -0.028698206555349413, + 0.035897435897435895, + 0.019269896769896766, + 0.12272727272727273, + 0.06587301587301587, + 0.1642857142857143, + -0.009383753501400572, + 0.07337475077933091, + 0.06459740259740258, + 0.026760714918609648, + 0.07013888888888889, + 0.11770833333333333, + 0.12294372294372295, + 0.05672908741090559, + -0.040142857142857126, + 0.08711038961038962, + 0.17387755102040817, + 0.16818181818181818, + 0.05281385281385282, + 0.21250000000000002, + 0.1285714285714286, + 0.07601711979327043, + 0.035897435897435895, + 0.07503915461232535, + 0.05000000000000001, + 0.04545454545454545, + 0.05904128787878791, + 0.6, + 0.13075396825396823, + 0, + -0.08147727272727272, + 0.033415584415584426, + 0.0410693291226078, + 0.06294765840220384, + 0.07857142857142858, + -0.012582345191040843, + 0.008888888888888892, + 0.14727272727272728, + 0.03703703703703703, + 0.030289502164502165, + 0.06105471795126968, + 0.08333333333333333, + 0.027083333333333327, + 0.01666666666666668, + 0.21815398886827456, + 0.11167328042328044, + 0.001190476190476189, + 0.0046666666666666705, + 0.29166666666666663, + 0.031955922865013774, + 0.09587831733483905, + 0.0892360062418202, + 0.09375, + 0.15995370370370368, + 0.19999999999999998, + 0.10833333333333334, + 0.13705510992275702, + 0.05172573189522343, + 0.06481191222570534, + 0.11236772486772487, + -0.06038961038961039, + 0.2, + 0.05056236791530912, + 0.022969209469209464, + 0.06214985994397759, + 0.04635416666666666, + 0.13433303624480095, + 0.005204942736588304, + 0.07630758130758131, + 0.12647876945749284, + 0.07404994062290714, + 0.02175925925925925, + 0.125, + 0.04999999999999999, + 0.1388888888888889, + -0.00881032547699215, + 0.08976666666666666, + 0.06153982317117913, + 0.08785921325051763, + 0.04052553229083844, + 0.031250000000000014, + 0, + 0.06355661881977673, + 0.19523858717040535, + 0.15297093382807667, + 0.1875172532781229, + 0.02535866910866911, + 0, + 0.03921911421911422, + 0.015731430962200185, + 0.04736842105263159, + -0.06622435535479013, + 0.08754741290455577, + 0.16116038201564525, + -0.0011246636246636304, + 0.09365390382365692, + 0.05046034322820036, + 0.13189484126984122, + -0.060606060606060615, + 0.17169913419913424, + 0.07208118600975744, + -0.14166666666666666, + 0.0910017953622605, + 0.08910694959802103, + 0.09963698675062314, + 0.03355593752652577, + 0.2844666666666667, + 0.07520870795870796, + 0.11658200861069715, + 0.07484408247120114, + 0.08664111498257838, + 0.15181824924815582, + 0.0366505968778696, + 0.041118540850683706, + 0, + 0.22727272727272724, + 0, + 0.31875000000000003, + 0.09999999999999999, + 0.014680407975862522, + 0.09401098901098903, + -0.15972222222222224, + 0.06818181818181818, + 0.061373900824450295, + -0.3, + 0.060952380952380945, + 0.13008563074352547, + -0.15454545454545454, + 0.20909090909090908, + 0.08720582447855173, + 0.10191964285714285, + -0.024001924001924, + 0.1712576503955815, + 0.04635416666666666, + 0.04202178030303029, + 0.18095238095238095, + 0.13643939393939392, + 0.13055555555555556, + 0, + 0.10583333333333333, + 0.11388888888888889, + 0.08716645021645018, + 0.04047619047619048, + -0.02187499999999999, + 0.02386177041349455, + 0.039719714567275535, + 0.26666666666666666, + 0.014680407975862522, + -0.05000000000000001, + 0.014434523809523814, + 0.07804199858994376, + 0.057368441251419995, + 0.09905753968253968, + 0.11654761904761907, + 0.05076923076923076, + 0.06342150450229053, + -0.05500000000000001, + 0.05178236446093589, + -0.13333333333333333, + 0.09931372549019607, + 0.08105423987776927, + 0.1, + -0.6, + 0.1020671098448876, + 0.08333333333333331, + 0.10096379997954803, + 0.6, + 0.06050012862335138, + 0.21428571428571427, + 0.13433303624480095, + 0.03880022144173086, + 0, + 0.07526054523988408, + 0.14862391774891778, + 0.20952380952380953, + 0.041219336219336225, + 0.06439393939393939, + 0.11527890783914883, + 0.11085858585858586, + 0.03023729357062691, + 0.047222222222222214, + 0.04899515993265993, + 0.12234657602376045, + 0.11831460206460206, + 0.18642424242424244, + 0.09437240936147184, + 0.17229437229437225, + 0.0013736263736263687, + 0.13163809523809522, + 0.0640873015873016, + 0.07181868519077819, + 0.09518939393939392, + 0.028952991452991447, + 0.09568043068043068, + 0.275, + -0.125, + 0.04515941265941269, + 0.06117424242424242, + 0.09281305114638445, + -0.01742424242424243, + 0.0690873015873016, + 0.6, + 0, + 0.0818858225108225, + 0.11390485652780734, + 0.06189674523007856, + 0.12287272727272724, + 0.12851027940313658, + 0.10485355485355483, + 0, + 0.11991883116883115, + 0.04081632653061224, + 0.03383291545056253, + 0.08660468319559228, + 0.16969696969696968, + 0.1392857142857143, + 0.10238095238095239, + -0.125, + 0.1502754820936639, + 0.18095238095238095, + -0.3, + 0.0031301406926407017, + 0.23805114638447972, + 0.018213649096002035, + 0.05401550490326001, + 0.06633544749823819, + 0.08952516594516598, + 0.05967384887839434, + 0.11744791666666667, + 0.0026943498788158894, + 0.013825757575757571, + -0.15, + 0.3666666666666667, + 0, + -0.11000000000000001, + 0.16074016563147, + 0.014357142857142855, + 0.2785714285714286, + 0.08478617342253707, + 0.07333333333333333, + 0.058711080586080586, + 0.13791043631623343, + 0.045085520540066024, + 0.007142857142857145, + 0.03399852180339985, + 0, + 0.09923160173160171, + -0.11458333333333333, + 0.041797637390857734, + 0.15239393939393941, + 0.08677375256322624, + 0.09335730724971227, + 0.16013622974963176, + 0.013734862293474733, + 0.3666666666666667, + 0.03798400673400674, + 0.07896614739680433, + 0.05058941432259817, + 0.14727272727272728, + 0.11864058258126063, + 0.015824915824915825, + 0.12223707664884136, + 0, + 0.6000000000000001, + -0.06632996632996632, + 0.10640462374504926, + 0.07077777777777779, + 0.05710784313725491, + 0.08130335415846777, + 0.11215365765670643, + 0.0031243596953566747, + 0.04261382623224729, + 0.31875000000000003, + -0.05277777777777778, + 0.10067567567567567, + 0.11431373157807583, + 0.21471861471861473, + 0.09545329670329673, + 0.10512613822958654, + 0.14666666666666667, + 0, + 0.04145502645502646, + 0.10108784893267651, + -0.05, + 0.15795088920088918, + 0.07173184024423694, + 0.24090909090909093, + 0.005397727272727264, + 0.024621212121212117, + 0.3277777777777778, + -0.014285714285714282, + 0.05595238095238094, + 0.08330864980024645, + 0.08443276752487282, + 0.03432958410636981, + 0.11510645475923251, + 0.08996003996003994, + 0, + 0.07497594997594996, + -0.012878787878787873, + 0.06905766526019691, + -0.037542306178669806, + 0.06641873278236914, + 0.08166234277936399, + 0.08200528007346189, + 0.04987236355194104, + 0.096086860670194, + 0.03098484848484847, + 0.005397727272727264, + 0.15288461538461537, + 0.20833333333333331, + 0.018499478916145576, + -0.2, + 0.08930373944928742, + 0.018046536796536804, + 0.04888888888888888, + 0.038933566433566436, + 0.04545454545454545, + -0.011946166207529847, + 0.20260942760942757, + 0.10135918003565066, + 0.02030973721114566, + 0.07202797202797204, + 0.13636363636363635, + 0.07032081686429513, + 0.07943722943722943, + 0.171875, + 0.04448907335505272, + 0.024218750000000015, + 0.05724227100333295, + -0.02187499999999999, + 0.09722222222222222, + 0.16436507936507938, + 0.053834260977118124, + -0.005487391193036351, + -0.1, + 0.11281249999999995, + 0.058333333333333334, + 0.007024793388429759, + 0.0438690476190476, + 0.09659090909090909, + 0.066998258857763, + -0.041666666666666664, + 0.10666666666666666, + -0.11306926406926408, + 0.03618793161203875, + 0.09809059987631415, + 0.09198165206886136, + 0.015367965367965364, + 0.16818181818181818, + 0.1717532467532468, + 0.10609696969696969, + 0.1902058421376603, + 0.20909090909090908, + 0.09555194805194804, + 0.0963110269360269, + 0.0991494334445154, + 0.06677764659582841, + 0.15142857142857144, + 0.15165289256198347, + 0.25999999999999995, + -0.007575757575757576, + 0.0017189586114819736, + 0.1608180506362325, + -0.2, + 0.12257921476671481, + 0.32500000000000007, + 0.07781385281385282, + 0.26776094276094276, + -0.00019240019240018835, + 0.10633625410733845, + 0.12468412942989214, + 0.07563778409090904, + 0.03586192613970391, + 0.10676748176748178, + 0.05975379585999057, + 0.14241478011969813, + 0.1663328598484848, + -0.05, + 0.10334896584896587, + 0.07736415882967608, + 0.07054347826086955, + 0.12956709956709958, + 0.06853273518596098, + 0.13055555555555556, + 0.010291005291005293, + -0.017020202020202026, + 0.09391304347826088, + 0.1877181337181337, + 0.03333333333333333, + -0.006481481481481484, + 0.15093178327049298, + 0.1645021645021645, + 0.19999999999999998, + 0.05, + 0.1898989898989899, + 0.05333333333333333, + 0.03329696179011247, + 0.13636363636363635, + 0.036031100330711226, + 0.015404040404040411, + 0, + 0.16100844644077736, + -0.0011904761904761862, + 0.06101174560733384, + 0.038975869809203145, + 0.05917504605544954, + 0.21666666666666667, + -0.13095238095238096, + 0.1886977886977887, + 0.10150613275613275, + 0.3052631578947368, + 0.02834982477839621, + 0.09215976731601733, + 0.09697014790764792, + -0.07999999999999999, + 0.12637405471430369, + 0.12349468713105076, + 0.15870129870129868, + 0.07857142857142858, + 0.03199855699855699, + 0.027407647907647905, + 0.10244898922469015, + 0.11352080620373302, + 0.011833333333333335, + 0.01372474747474745, + 0.171875, + 0, + 0.15416666666666667, + -0.006481481481481484, + 0.005116789685135007, + 0.1374362087776722, + 0.06501541387905022, + 0.0578336940836941, + 0.06041666666666667, + 0.0840175913268019, + 0.1962962962962963, + -0.010416666666666661, + 0.24625850340136052, + 0.027970521541950115, + 0.12887595163457227, + 0.31375000000000003, + 0.07681523022432114, + 0.103494623655914, + 0.05476317799847212, + 0.003539944903581255, + 0.21212121212121213, + 0.08208333333333331, + 0.06166666666666668, + 0.33, + 0.3499999999999999, + 0.1549175824175824, + 0.18454545454545454, + 0.08714285714285715, + -0.14772727272727273, + 0.17264957264957262, + -0.01602564102564102, + 0.09969209469209472, + 0, + 0.08332437275985663, + 0.0205011655011655, + 0.03267156862745097, + 0.0342784992784993, + 0.12380952380952381, + -0.1, + -0.02033730158730164, + -0.04444444444444443, + -0.041666666666666664, + 0.1103896103896104, + 0.06888542121100262, + 0.0575995461865027, + 0.09393939393939393, + 0.07638054568382437, + -0.0625, + 0.04622727272727273, + 0.1077777777777778, + -0.010806277056277059, + -0.042350596557913636, + 0.16999999999999998, + -0.04833333333333333, + 0.225, + 0.24330143540669857, + 0.6, + 0.050432900432900434, + 0.08383116883116883, + 0.08274306475837086, + 0.08888180749291859, + 0.07787707390648568, + 0.10818181818181818, + 0.040833333333333346, + 0.08727272727272728, + 0.0910748106060606, + -0.051219557086904045, + 0.13055555555555556, + 0.4035714285714285, + 0.07222222222222223, + 0.009727082631274246, + 0.08340651412079986, + 0.16451149425287356, + 0.06091580254370953, + 0.09267161410018554, + -0.007363459391761272, + 0.1124557143374348, + 0.09355838605838604, + 0.18958333333333333, + 0.03648730411888306, + 0.11941334527541424, + 0.18863636363636363, + 0.15535714285714283, + 0.10377056277056276, + 0.10711364740701475, + 0.20113636363636364, + 0.019047619047619053, + -0.030046296296296304, + -0.018518518518518517, + -0.07261904761904761, + 0.45555555555555555, + 0.08977272727272727, + -0.012582345191040843, + 0, + 0.08854166666666666, + 0.04848484848484847, + 0.05052269919036386, + 0, + 0.2625, + 0.05644103371376098, + 0.06980027548209365, + -0.026470588235294107, + -0.075, + 0.1361548174048174, + 0.085, + 0.16399055489964584, + 0.025, + 0.14753659039373326, + -0.08357082732082731, + 0.08450937950937948, + 0.15353171466214946, + 0.058711080586080586, + 0.022668141037706247, + 0.07899292065958735, + 0.052146464646464656, + 0.06330749354005168, + 0.17760496671786996, + 0.10619834710743802, + 0.0675736961451247, + 0.08977272727272727, + -0.06420454545454544, + 0.26, + 0.07464321392892824, + -0.12993197278911564, + 0.035752171466457185, + 0.0496414617876882, + 0.06592764378478663, + 0.07897435897435898, + 0.17272727272727273, + 0.11657249838284317, + 0.0967444284110951, + 0.07115458381281166, + 0.13596666666666668, + 0.14879040404040406, + 0.3277777777777778, + 0.10405032467532464, + 0.16, + 0.10844444444444444, + 0.05494181143531794, + 0.12273232323232328, + 0.22000000000000003, + 0.047619541277436006, + 0.15757575757575756, + 0.10549628942486089, + 0.036363636363636355, + 0.08332437275985663, + 0.19318181818181818, + 0.03333333333333333, + 0.23958333333333331, + 0.028888888888888898, + 0.07034090909090909, + 0.22255892255892254, + 0, + 0.1585763888888889, + 0.04916185666185665, + 0.1028210678210678, + 0.0872885222885223, + -0.02745825602968461, + 0.11313035066199618, + 0.05818104188357353, + 0.07637310606060606, + 0.20113636363636364, + 0.1475283446712018, + 0.06564818300325546, + 0.16204545454545455, + 0.22198773448773448, + 0.12027103331451158, + -0.008633761502613963, + -0.2, + 0.13333333333333333, + 0.12444939081537022, + 0.240625, + 0.13999999999999999, + 0.4, + 0.28271604938271605, + 0.06702557858807862, + 0.09279191790352505, + 0.07845255342267296, + 0.11016483516483515, + 0.1, + 0.03515757724520612, + 0.07488026410723778, + 0.07924071542492594, + 0.25, + 0.08858668733668736, + 0.03, + 0.10979997014479773, + 0, + 0.0031250000000000097, + 0.058711080586080586, + 0.25, + 0.16547619047619047, + 0.25284090909090906, + -0.0936210847975554, + 0.15909090909090906, + 0.2447222222222222, + 0.25, + 0.05270634920634922, + 0.125, + -0.125, + 0.07814715942493718, + 0.13055555555555556, + 0.028703703703703703, + 0.014600766797736496, + 0.05303030303030303, + 0.054403778040141695, + 0.1106060606060606, + 0.25, + 0.5, + 0.08, + 0.1886904761904762, + 0.05500000000000001, + 0.020343137254901965, + 0.015384615384615385, + 0.125323762697935, + 0.08117424242424243, + 0.06078431372549019, + 0.16654135338345863, + -0.01749639249639251, + 0.11499999999999999, + 0.026412579957356082, + 0, + 0.09138367805034472, + 0.04577922077922078, + 0.028571428571428564, + -0.2, + 0.7, + 0, + 0.002083333333333333, + -0.3, + 0.14357142857142857, + 0.006249999999999996, + 0.20714285714285713, + 0.07103379123064166, + 0.4, + 0.026161616161616153, + 0.05548951048951049, + 0.07291666666666669, + -0.007499999999999974, + 0.10574216871091872, + 0.05925925925925926, + 0.002996710221480863, + 0.11016483516483515, + 0.08784786641929498, + 0.058333333333333334, + -0.019999999999999997, + 0.1, + -0.25, + 0.012301587301587306, + 0.039315388912163116, + 0.21666666666666665, + -0.6, + 0.12468412942989214, + 0.06511985746679624, + 0.18260752164502164, + 0.3666666666666667, + 0.08219148001756696, + 0.054166666666666675, + 0.15277777777777776, + 0.048088561521397344, + 0.06999999999999999, + 0, + 0.2447222222222222, + 0.011833333333333335, + 0.031517556517556514, + 0, + 0.13148148148148148, + 0.11016483516483515, + -0.07499999999999998, + 0.023232323232323233, + 0.10527985482530941, + 0, + 0, + -0.018124999999999995, + 0.09464285714285715, + 0.10402597402597402, + 0.17841478696741853, + -0.19088203463203463, + 0.07989799472558094, + 0.10598006644518274, + 0.09429824561403508, + 0.15454545454545454, + 0.0887897967011891, + -0.03207780379911525, + 0.05078124999999999, + 0.039151903185516625, + 0.10351769245247504, + 0.014306239737274216, + -0.03272727272727273, + 0.12990219656886326, + -0.13333333333333333, + -0.2, + 0.12004310661090324, + 0.17307692307692307, + 0.15029761904761904, + 0.13433303624480095, + 0.026164596273291933, + 0.03460638127304793, + 0.11666666666666665, + -0.175, + 0.09333333333333334, + 0.08232380672940122, + 0.5, + 0.1036730945821855, + 0.04255686610759073, + 0.10555833055833053, + 0.06701038159371493, + 0.10641878954378953, + 0.2567254174397031, + 0.06358907731567831, + 0.2447222222222222, + 0.15297093382807667, + 0.07342891797616208, + 0.18416305916305917, + 0.21212121212121213, + 0.04434624017957352, + 0.09011742424242426, + 0.0363234703440889, + 0.05877461248428989, + 0.027304217521608828, + 0.08660468319559228, + 0, + 0.005010521885521885, + 0.205, + 0.1285714285714286, + -0.08833333333333335, + 0.03571428571428571, + 0.0583912037037037, + 0.00381821461366916, + 0.38333333333333336, + 0.055528198653198656, + -0.15, + 0.5, + 0.09209436396936398, + 0.10835497835497836, + 0.03872164017122002, + -0.21600000000000003, + 0.03333333333333333, + 0.03612231739891315, + -0.1642857142857143, + 0.009313725490196077, + -0.005891555701682287, + 0.1977961432506887, + 0.06712962962962962, + 0.06298779722692767, + 0.06275641025641025, + 0.1961038961038961, + 0.0330726572925821, + 0.2, + 0, + -0.06607142857142857, + 0.08547815820543092, + 0.16436507936507938, + 0.06670983778126635, + 0.15037337662337663, + -0.13999999999999999, + 0.04386297229580813, + -0.02100033952975128, + -0.11249999999999999, + 0.26666666666666666, + 0.12647876945749284, + 0.09771533881382363, + 0.25, + -0.05277777777777778, + 0.028571428571428557, + 0.07107843137254902, + 0.11041666666666668, + 0, + 0.036286395703062364, + 0.075, + 0.05583333333333333, + 0.16805555555555554, + 0.020448179271708684, + 0.12037037037037036, + 0.20714285714285713, + 0.06686147186147187, + -0.14, + 0.07207792207792209, + 0.05832848484848486, + 0.15119047619047618, + 0.06004117208955919, + 0, + 0.059555555555555556, + 0.14583333333333334, + 0.058711080586080586, + -0.005795870795870796, + 0.1396031746031746, + 0.43333333333333335, + 0.09166666666666667, + 0.09559523809523808, + 0.09333333333333332, + 0.29125874125874124, + 0.02621212121212122, + 0.08993335096276277, + -0.029918981481481494, + 0.35, + 0.0536096256684492, + 0.0740967365967366, + 0.08639447267708139, + 0.125, + 0.06619923098581638, + -0.25, + 0.03970418470418469, + 0.13158899923605805, + 0.08333333333333334, + -0.05714285714285715, + 0.0376082251082251, + 0.13007866117622213, + 0.12175403384494296, + 0.16526747062461347, + 0.11019988242210464, + 0.06254095004095003, + 0.023068735242030694, + 0.08066239316239317, + 0.011833333333333335, + 0.05496031746031745, + 0.205, + 0.12956709956709958, + -0.03440491588357442, + 0.09313429324298891, + 0.05568181818181818, + -0.15870490620490624, + 0.038279736136878996, + 0.29103641456582635, + 0.12500676406926406, + 0.16666666666666669, + 0.21114718614718614, + 0.19999999999999998, + 0.09722222222222221, + 0.02716269841269842, + 0.2727272727272727, + 0.17064306661080852, + -0.23333333333333328, + 0, + 0.03153001534330649, + 0.07357282502443796, + 0.04460784313725491, + 0.22787878787878793, + 0.04481046992839448, + -0.03433583959899749, + 0.12857142857142853, + 0.13516808712121214, + 0.09782608695652174, + -0.3, + 0.13333333333333333, + 0.05644103371376098, + 0.07500000000000001, + 0.25, + 0.09233511586452763, + 0.09142857142857143, + 0.13181818181818183, + 0.3277777777777778, + -0.058333333333333334, + 0.03367765894236483, + 0.11016483516483515, + 0.003053410553410541, + 0.14067307692307693, + 0.12284090909090907, + 0.05219036722085503, + 0.22727272727272724, + 0.06666666666666667, + -0.031221303948576674, + 0.0217389845296822, + -0.15999999999999998, + 0.048507647907647916, + -0.16666666666666666, + 0.16583333333333333, + 0.16402278599953019, + -0.10119047619047619, + 0.10259105628670848, + 0.03731294710018114, + 0.03522046681840496, + 0.028434704184704195, + 0.049743431855500814, + 0.04732995718050066, + 0.2, + -0.075, + 0.17916666666666667, + -0.3, + 0.022199921290830385, + 0.14114583333333333, + 0.03928571428571428, + 0.10753289614675753, + -0.05205441189047746, + 0.13681818181818184, + 0.26012987012987016, + 0.1266233766233766, + 0.09440277777777778, + -0.10952380952380951, + 0.20714285714285713, + 0.05644103371376098, + 0.15550364269876468, + 0.07888337153043035, + 0.08397435897435898, + 0.04375, + -0.19396825396825398, + -0.11458333333333333, + 0.05265002581516343, + -0.028619528619528625, + 0.15739204410846205, + 0.008436639118457299, + -0.02532184591008121, + 0, + 0.12619047619047621, + 0.08750000000000001, + -0.005050505050505053, + 0.11144234553325463, + 0.55, + 0.05718822423367879, + -0.031221303948576674, + -0.05, + -0.06000000000000001, + 0.12760416666666669, + 0.19795918367346937, + 0.25, + 0.046916666666666676, + 0.05815685876623378, + 0.22252121212121218, + 0.02853174603174602, + 0.07159373586612393, + 0.11136363636363637, + 0.1476190476190476, + 0.05443264947612773, + 0.16402597402597402, + -0.0625, + 0.04622727272727273, + -0.007384772090654448, + 0.058711080586080586, + -0.2833333333333333, + 0.07985466914038343, + 0, + 0.05851851851851851, + 0.06195628646715604, + 0.10677747329123474, + 0.0892338669082855, + 0.16, + 0.04947858107956631, + 0.05238095238095238, + 0.23888888888888885, + 0.08780414987311538, + 0.06333333333333332, + 0.07530078563411897, + -0.003976697061803446, + -0.009104278074866315, + 0.13637057005176276, + 0.025595238095238088, + 0.14760251653108794, + 0.08332437275985663, + 0.07756410256410257, + 0.09287546561965167, + 0.17798996458087368, + 0.08332437275985663, + 0.08784786641929498, + 0.07067497403946, + 0.09659090909090909, + 0.0793831168831169, + 0.01115801758747303, + -0.03371782610154703, + 0.011111111111111112, + -0.125, + -0.03333333333333333, + 0.02072189284145806, + 0.01762876719883091, + -0.025, + 0.01211490204710543, + 0.07391774891774892, + 0.014918630751964083, + -0.00019240019240018835, + 0.16547619047619047, + 0.25, + -0.11666293476638308, + -0.02051282051282051, + 0.11224927849927852, + 0.21875, + 0.14518003697691204, + 0.17203849807887076, + 0.2, + 0.09870394593416179, + 0.02535866910866911, + 0.2, + 0.04189655172413794, + 0.028433892496392485, + 0.07142857142857142, + 0.1784749670619236, + -0.05, + 0.06245967741935485, + 0.22348484848484845, + 0.08009959579561853, + 0.18353174603174602, + 0.04559228650137742, + -0.30340909090909096, + 0.10047225501770955, + 0.09780474155474154, + 0.2, + 0.172, + 0.12172689461459513, + 0.1243071236412945, + 0.128125, + -0.0947089947089947, + 0.06355661881977673, + 0.10356134324612586, + 0.024285714285714282, + 0.06825087610801896, + 0.058333333333333334, + 0.01325757575757576, + 0.04583333333333334, + 0.2833333333333333, + 0.07013539651837523, + 0.06074591149591147, + 0.1672317156527683, + 0.18447023809523808, + 0.6, + 0.019427768248522964, + 0.34444444444444444, + 0.09464371572871574, + 0, + 0.04545454545454545, + 0.13712121212121212, + 0.04333133672756314, + 0.22787878787878793, + 0.275, + 0.07928841991341992, + 0.1053469387755102, + 0.09083177911241154, + 0.12757892513990077, + 0.12619047619047616, + 0.13460412953060014, + 0.10224955179500639, + 0.10693995274877625, + 0.005333333333333328, + 0.019999999999999997, + 0.050451207391041426, + 0.0009618506493506484, + 0.084258196583778, + 0.14125000000000001, + 0.08726422740121369, + 0.04991718991718992, + 0.13522830344258918, + 0.002465367965367964, + 0.049926536212663374, + 0.08321104632329118, + 0.07832405689548547, + 0.025708616780045344, + 0.12090067340067338, + 0.17954545454545456, + 0.0649891774891775, + 0.02243867243867244, + 0.15416666666666665, + 0.16666666666666666, + 0.10152538572538573, + 0.041373706004140795, + 0.3477272727272727, + 0.07247402597402594, + -0.075, + -0.1, + 0.04256012506012507, + 0.07178631553631552, + 0.08319701132201131, + 0.030289502164502165, + 0.0117283950617284, + 0.14329545454545456, + 0.1301851851851852, + 0.012301587301587306, + 0.06781849103277673, + -0.05, + -0.03018207282913165, + 0.029178503787878785, + 0.01363636363636364, + 0.10384615384615385, + 0.08370845986517628, + 0.2772847522847523, + -0.05539867109634551, + 0.1285374149659864, + 0.16, + 0.13327552420145022, + 0.04264696656001003, + 0.04572285353535354, + 0.13382594417077176, + 0.1258793428793429, + 0.058711080586080586, + 0, + 0.1018547544409614, + 0.029382650395581435, + 0.08737845418470418, + 0.05662029125844915, + -0.010121951219512199, + 0.06875 + ], + "xaxis": "x3", + "yaxis": "y3" + }, + { + "alignmentgroup": "True", + "bingroup": "y", + "hoverlabel": { + "namelength": 0 + }, + "hovertemplate": "text_len=%{y}
count=%{x}", + "legendgroup": "", + "marker": { + "color": "#636efa" + }, + "name": "", + "offsetgroup": "", + "opacity": 0.5, + "showlegend": false, + "type": "histogram", + "xaxis": "x2", + "y": [ + 56, + 56, + 1276, + 908, + 879, + 1890, + 1697, + 64, + 93, + 65, + 476, + 578, + 143, + 731, + 425, + 70, + 33, + 190, + 574, + 218, + 218, + 369, + 461, + 96, + 550, + 86, + 681, + 607, + 151, + 2482, + 735, + 44, + 576, + 47, + 2062, + 463, + 618, + 64, + 69, + 596, + 508, + 339, + 825, + 564, + 12, + 1975, + 25, + 192, + 304, + 68, + 11, + 569, + 178, + 764, + 65, + 420, + 132, + 147, + 1837, + 155, + 743, + 179, + 82, + 252, + 1330, + 46, + 367, + 62, + 36, + 72, + 86, + 93, + 2175, + 64, + 1439, + 247, + 47, + 797, + 45, + 111, + 56, + 91, + 1326, + 3069, + 116, + 176, + 355, + 102, + 54, + 100, + 239, + 1089, + 82, + 30, + 34, + 408, + 183, + 499, + 182, + 40, + 317, + 1415, + 968, + 134, + 117, + 48, + 138, + 1221, + 598, + 772, + 301, + 136, + 36, + 1812, + 2366, + 288, + 349, + 1129, + 796, + 971, + 1264, + 2664, + 812, + 40, + 18, + 97, + 247, + 237, + 1607, + 1165, + 3295, + 159, + 58, + 750, + 1150, + 343, + 406, + 575, + 18, + 182, + 801, + 117, + 236, + 1464, + 1965, + 548, + 2912, + 685, + 489, + 59, + 501, + 609, + 13, + 1105, + 606, + 781, + 1465, + 306, + 666, + 1259, + 631, + 476, + 1080, + 174, + 1027, + 20, + 67, + 7, + 54, + 134, + 2721, + 593, + 170, + 25, + 962, + 26, + 72, + 1195, + 30, + 89, + 482, + 172, + 132, + 638, + 350, + 1111, + 206, + 405, + 135, + 18, + 157, + 109, + 1653, + 131, + 196, + 678, + 1028, + 80, + 2721, + 13, + 612, + 2455, + 2116, + 364, + 518, + 82, + 2525, + 241, + 1247, + 29, + 260, + 484, + 26, + 47, + 888, + 143, + 1545, + 55, + 1974, + 14, + 1129, + 1697, + 32, + 1653, + 1140, + 93, + 987, + 536, + 1030, + 105, + 481, + 143, + 928, + 2450, + 226, + 140, + 1571, + 125, + 192, + 333, + 167, + 633, + 138, + 262, + 667, + 78, + 15, + 1450, + 33, + 1735, + 189, + 146, + 18, + 18, + 246, + 2488, + 229, + 970, + 2407, + 1144, + 19, + 615, + 107, + 2596, + 268, + 57, + 124, + 153, + 32, + 64, + 205, + 63, + 1113, + 231, + 167, + 2640, + 637, + 1384, + 607, + 635, + 1176, + 484, + 59, + 73, + 23, + 35, + 479, + 574, + 128, + 743, + 208, + 649, + 2083, + 1403, + 76, + 451, + 12, + 299, + 50, + 768, + 705, + 193, + 941, + 1118, + 2766, + 83, + 467, + 1336, + 2650, + 54, + 1178, + 541, + 161, + 9, + 18, + 72, + 532, + 302, + 219, + 3688, + 2046, + 3811, + 1266, + 54, + 101, + 369, + 2796, + 120, + 636, + 977, + 136, + 11, + 199, + 437, + 34, + 816, + 1210, + 73, + 167, + 32, + 42, + 83, + 112, + 1426, + 557, + 1236, + 1382, + 2318, + 45, + 1174, + 174, + 771, + 543, + 586, + 3324, + 1145, + 1724, + 583, + 199, + 166, + 126, + 31, + 662, + 20, + 3687, + 211, + 167, + 565, + 45, + 755, + 169, + 633, + 836, + 151, + 72, + 1062, + 88, + 566, + 1002, + 258, + 1440, + 193, + 93, + 208, + 215, + 1222, + 91, + 758, + 62, + 173, + 159, + 91, + 1580, + 122, + 76, + 245, + 904, + 198, + 1025, + 164, + 37, + 85, + 333, + 1524, + 89, + 1287, + 1368, + 3703, + 942, + 88, + 352, + 51, + 38, + 3209, + 1852, + 78, + 3066, + 90, + 95, + 206, + 55, + 769, + 624, + 2056, + 933, + 508, + 3702, + 776, + 972, + 137, + 606, + 445, + 256, + 100, + 1720, + 134, + 526, + 605, + 194, + 326, + 67, + 80, + 855, + 169, + 77, + 45, + 42, + 150, + 1091, + 129, + 2717, + 208, + 11, + 2691, + 62, + 858, + 594, + 3766, + 168, + 111, + 382, + 287, + 356, + 230, + 725, + 151, + 68, + 2374, + 154, + 108, + 89, + 631, + 880, + 1314, + 2506, + 181, + 192, + 572, + 40, + 87, + 81, + 1522, + 387, + 821, + 1250, + 72, + 1674, + 81, + 123, + 145, + 184, + 1349, + 107, + 575, + 364, + 1597, + 963, + 30, + 151, + 235, + 41, + 47, + 500, + 69, + 53, + 138, + 46, + 141, + 1402, + 17, + 885, + 679, + 325, + 2513, + 45, + 30, + 88, + 39, + 47, + 581, + 1728, + 644, + 300, + 2398, + 85, + 95, + 153, + 213, + 476, + 215, + 166, + 4, + 309, + 13, + 57, + 699, + 3060, + 1888, + 175, + 286, + 146, + 81, + 220, + 984, + 363, + 60, + 110, + 2085, + 511, + 491, + 571, + 537, + 903, + 3560, + 943, + 106, + 741, + 587, + 146, + 885, + 1232, + 3293, + 181, + 187, + 88, + 148, + 148, + 68, + 62, + 355, + 13, + 87, + 81, + 1783, + 22, + 55, + 552, + 288, + 236, + 12, + 473, + 45, + 204, + 77, + 233, + 190, + 1650, + 1151, + 649, + 712, + 1610, + 113, + 504, + 833, + 390, + 322, + 62, + 91, + 32, + 1162, + 91, + 2982, + 1081, + 576, + 134, + 38, + 1404, + 633, + 1214, + 397, + 213, + 42, + 525, + 39, + 149, + 985, + 821, + 35, + 1082, + 142, + 631, + 145, + 885, + 17, + 66, + 172, + 77, + 469, + 100, + 17, + 275, + 1080, + 143, + 1080, + 63, + 1063, + 1012, + 895, + 184, + 1259, + 2257, + 77, + 146, + 215, + 1424, + 23, + 56, + 1000, + 170, + 143, + 19, + 180, + 1203, + 2523, + 2961, + 345, + 26, + 2204, + 689, + 205, + 28, + 1460, + 68, + 313, + 31, + 82, + 649, + 32, + 223, + 190, + 244, + 153, + 86, + 28, + 788, + 69, + 21, + 2072, + 134, + 122, + 1317, + 313, + 579, + 96, + 24, + 34, + 199, + 144, + 26, + 302, + 150, + 3991, + 539, + 244, + 141, + 1750, + 34, + 650, + 24, + 558, + 174, + 94, + 33, + 22, + 55, + 126, + 6, + 101, + 110, + 272, + 1609, + 18, + 688, + 162, + 144, + 176, + 908, + 76, + 1608, + 345, + 43, + 62, + 45, + 148, + 50, + 148, + 2447, + 103, + 72, + 600, + 637, + 1115, + 73, + 513, + 138, + 185, + 1004, + 125, + 38, + 86, + 181, + 278, + 7, + 103, + 345, + 68, + 40, + 2484, + 14, + 8, + 152, + 264, + 111, + 439, + 69, + 1094, + 374, + 744, + 124, + 1127, + 788, + 518, + 1505, + 881, + 384, + 103, + 1157, + 17, + 72, + 1256, + 158, + 139, + 1129, + 412, + 441, + 104, + 50, + 88, + 1659, + 24, + 366, + 2908, + 549, + 598, + 1525, + 104, + 1920, + 86, + 339, + 2301, + 186, + 30, + 487, + 484, + 1074, + 336, + 615, + 268, + 11, + 756, + 80, + 44, + 151, + 118, + 447, + 810, + 75, + 1177, + 95, + 50, + 776, + 411, + 1312, + 57, + 46, + 552, + 44, + 240, + 1161, + 153, + 174, + 1047, + 497, + 125, + 2062, + 23, + 25, + 104, + 1494, + 208, + 797, + 142, + 38, + 1599, + 547, + 71, + 74, + 1266, + 2315, + 16, + 100, + 82, + 164, + 38, + 9, + 2066, + 27, + 714, + 120, + 156, + 291, + 270, + 334, + 45, + 133, + 1506, + 45, + 743, + 26, + 141, + 146, + 651, + 898, + 159, + 43, + 17, + 155, + 141, + 180, + 1403, + 2612, + 795, + 18, + 137, + 537, + 1551, + 75, + 2392, + 25, + 192, + 190, + 69, + 95, + 252, + 277, + 601, + 511, + 391, + 763, + 884, + 168, + 177, + 140, + 80, + 100, + 2466, + 668, + 17, + 121, + 564, + 190, + 135, + 103, + 43, + 31, + 72, + 386, + 59, + 413, + 69, + 13, + 995, + 1002, + 489, + 80, + 1521, + 295, + 185, + 838, + 143, + 45, + 55, + 552, + 51, + 48, + 158, + 56, + 208, + 85, + 89, + 2316, + 345, + 597, + 419, + 68, + 5184, + 68, + 116, + 326, + 1114, + 67, + 1324, + 13, + 96, + 732, + 164, + 3887, + 454, + 1240, + 1404, + 843, + 1141, + 17, + 118, + 76, + 98, + 805, + 119, + 88, + 1243, + 752, + 325, + 112, + 231, + 712, + 52, + 270, + 552, + 597, + 169, + 96, + 150, + 64, + 50, + 1174, + 96, + 1703, + 349, + 1336, + 13, + 106, + 594, + 88, + 407, + 42, + 1125, + 326, + 17, + 123, + 200, + 136, + 54, + 470, + 2230, + 275, + 509, + 1470, + 135, + 56, + 1241, + 160, + 55, + 95, + 136, + 649, + 43, + 56, + 45, + 93, + 1018, + 1124, + 481, + 20, + 2596, + 81, + 189, + 302, + 130, + 866, + 549, + 218, + 1999, + 200, + 1009, + 885, + 115, + 2210, + 230, + 885, + 43, + 4085, + 91, + 517, + 2698, + 584, + 73, + 36, + 43, + 2062, + 1989, + 142, + 999, + 132, + 461, + 55, + 223, + 28, + 420, + 155, + 196, + 151, + 2198, + 1653, + 17, + 3345, + 570, + 22, + 286, + 857, + 118, + 803, + 66, + 789, + 139, + 1599, + 153, + 932, + 70, + 142, + 838, + 17, + 369, + 2117, + 2219, + 163, + 128, + 749, + 1420, + 153, + 2239, + 62, + 39, + 475, + 38, + 1356, + 1162, + 885, + 1474, + 56, + 842, + 86, + 2917, + 59, + 64, + 154, + 1614, + 80, + 56, + 248, + 914, + 3235, + 1167, + 54, + 1229, + 2488, + 1284, + 143, + 66, + 2747, + 269, + 1659, + 187, + 970, + 1649, + 1288, + 462, + 1819, + 1656, + 47, + 197, + 2114, + 62, + 274, + 321, + 247, + 53, + 780, + 1268, + 78, + 1286, + 120, + 37, + 361, + 204, + 603, + 240, + 866, + 138, + 198, + 148, + 184, + 20, + 617, + 757, + 141, + 436, + 874, + 165, + 679, + 395, + 22, + 777, + 609, + 423, + 316, + 861, + 649, + 28, + 1161, + 1192, + 4557, + 1891, + 533, + 177 + ], + "yaxis": "y2" + } + ], + "layout": { + "barmode": "overlay", + "legend": { + "tracegroupgap": 0 + }, + "margin": { + "t": 60 + }, + "template": { + "data": { + "bar": [ + { + "error_x": { + "color": "#2a3f5f" + }, + "error_y": { + "color": "#2a3f5f" + }, + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "bar" + } + ], + "barpolar": [ + { + "marker": { + "line": { + "color": "white", + "width": 0.5 + } + }, + "type": "barpolar" + } + ], + "carpet": [ + { + "aaxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "baxis": { + "endlinecolor": "#2a3f5f", + "gridcolor": "#C8D4E3", + "linecolor": "#C8D4E3", + "minorgridcolor": "#C8D4E3", + "startlinecolor": "#2a3f5f" + }, + "type": "carpet" + } + ], + "choropleth": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "choropleth" + } + ], + "contour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "contour" + } + ], + "contourcarpet": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "contourcarpet" + } + ], + "heatmap": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmap" + } + ], + "heatmapgl": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "heatmapgl" + } + ], + "histogram": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "histogram" + } + ], + "histogram2d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2d" + } + ], + "histogram2dcontour": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "histogram2dcontour" + } + ], + "mesh3d": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "type": "mesh3d" + } + ], + "parcoords": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "parcoords" + } + ], + "pie": [ + { + "automargin": true, + "type": "pie" + } + ], + "scatter": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter" + } + ], + "scatter3d": [ + { + "line": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatter3d" + } + ], + "scattercarpet": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattercarpet" + } + ], + "scattergeo": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergeo" + } + ], + "scattergl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattergl" + } + ], + "scattermapbox": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scattermapbox" + } + ], + "scatterpolar": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolar" + } + ], + "scatterpolargl": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterpolargl" + } + ], + "scatterternary": [ + { + "marker": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "type": "scatterternary" + } + ], + "surface": [ + { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + }, + "colorscale": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "type": "surface" + } + ], + "table": [ + { + "cells": { + "fill": { + "color": "#EBF0F8" + }, + "line": { + "color": "white" + } + }, + "header": { + "fill": { + "color": "#C8D4E3" + }, + "line": { + "color": "white" + } + }, + "type": "table" + } + ] + }, + "layout": { + "annotationdefaults": { + "arrowcolor": "#2a3f5f", + "arrowhead": 0, + "arrowwidth": 1 + }, + "coloraxis": { + "colorbar": { + "outlinewidth": 0, + "ticks": "" + } + }, + "colorscale": { + "diverging": [ + [ + 0, + "#8e0152" + ], + [ + 0.1, + "#c51b7d" + ], + [ + 0.2, + "#de77ae" + ], + [ + 0.3, + "#f1b6da" + ], + [ + 0.4, + "#fde0ef" + ], + [ + 0.5, + "#f7f7f7" + ], + [ + 0.6, + "#e6f5d0" + ], + [ + 0.7, + "#b8e186" + ], + [ + 0.8, + "#7fbc41" + ], + [ + 0.9, + "#4d9221" + ], + [ + 1, + "#276419" + ] + ], + "sequential": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ], + "sequentialminus": [ + [ + 0, + "#0d0887" + ], + [ + 0.1111111111111111, + "#46039f" + ], + [ + 0.2222222222222222, + "#7201a8" + ], + [ + 0.3333333333333333, + "#9c179e" + ], + [ + 0.4444444444444444, + "#bd3786" + ], + [ + 0.5555555555555556, + "#d8576b" + ], + [ + 0.6666666666666666, + "#ed7953" + ], + [ + 0.7777777777777778, + "#fb9f3a" + ], + [ + 0.8888888888888888, + "#fdca26" + ], + [ + 1, + "#f0f921" + ] + ] + }, + "colorway": [ + "#636efa", + "#EF553B", + "#00cc96", + "#ab63fa", + "#FFA15A", + "#19d3f3", + "#FF6692", + "#B6E880", + "#FF97FF", + "#FECB52" + ], + "font": { + "color": "#2a3f5f" + }, + "geo": { + "bgcolor": "white", + "lakecolor": "white", + "landcolor": "white", + "showlakes": true, + "showland": true, + "subunitcolor": "#C8D4E3" + }, + "hoverlabel": { + "align": "left" + }, + "hovermode": "closest", + "mapbox": { + "style": "light" + }, + "paper_bgcolor": "white", + "plot_bgcolor": "white", + "polar": { + "angularaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + }, + "bgcolor": "white", + "radialaxis": { + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "" + } + }, + "scene": { + "xaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "yaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + }, + "zaxis": { + "backgroundcolor": "white", + "gridcolor": "#DFE8F3", + "gridwidth": 2, + "linecolor": "#EBF0F8", + "showbackground": true, + "ticks": "", + "zerolinecolor": "#EBF0F8" + } + }, + "shapedefaults": { + "line": { + "color": "#2a3f5f" + } + }, + "ternary": { + "aaxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "baxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + }, + "bgcolor": "white", + "caxis": { + "gridcolor": "#DFE8F3", + "linecolor": "#A2B1C6", + "ticks": "" + } + }, + "title": { + "x": 0.05 + }, + "xaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + }, + "yaxis": { + "automargin": true, + "gridcolor": "#EBF0F8", + "linecolor": "#EBF0F8", + "ticks": "", + "title": { + "standoff": 15 + }, + "zerolinecolor": "#EBF0F8", + "zerolinewidth": 2 + } + } + }, + "title": { + "text": "Sentiment vs. Article length" + }, + "xaxis": { + "anchor": "y", + "domain": [ + 0, + 0.7363 + ], + "title": { + "text": "polarity" + } + }, + "xaxis2": { + "anchor": "y2", + "domain": [ + 0.7413, + 1 + ], + "matches": "x2", + "showgrid": true, + "showline": false, + "showticklabels": false, + "ticks": "" + }, + "xaxis3": { + "anchor": "y3", + "domain": [ + 0, + 0.7363 + ], + "matches": "x", + "showgrid": true, + "showticklabels": false + }, + "xaxis4": { + "anchor": "y4", + "domain": [ + 0.7413, + 1 + ], + "matches": "x2", + "showgrid": true, + "showline": false, + "showticklabels": false, + "ticks": "" + }, + "yaxis": { + "anchor": "x", + "domain": [ + 0, + 0.7326 + ], + "title": { + "text": "text_len" + } + }, + "yaxis2": { + "anchor": "x2", + "domain": [ + 0, + 0.7326 + ], + "matches": "y", + "showgrid": true, + "showticklabels": false + }, + "yaxis3": { + "anchor": "x3", + "domain": [ + 0.7426, + 1 + ], + "matches": "y3", + "showgrid": true, + "showline": false, + "showticklabels": false, + "ticks": "" + }, + "yaxis4": { + "anchor": "x4", + "domain": [ + 0.7426, + 1 + ], + "matches": "y3", + "showgrid": true, + "showline": false, + "showticklabels": false, + "ticks": "" + } + } + }, + "text/html": [ + "
\n", + " \n", + " \n", + "
\n", + " \n", + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "fig = px.density_contour(df, x='polarity', y='text_len', marginal_x='histogram', marginal_y='histogram', template='plotly_white')\n", + "fig.update_layout(title_text='Sentiment vs. Article length')\n", + "fig.show()" + ] + }, + { + "cell_type": "code", + "execution_count": 103, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "coronavirus 3719\n", + "virus 3393\n", + "people 2838\n", + "covid19 2554\n", + "health 1734\n", + "vaccine 1715\n", + "new 1621\n", + "china 1456\n", + "said 1421\n", + "disease 1224\n", + "wuhan 1219\n", + "world 1114\n", + "symptoms 1002\n", + "cases 943\n", + "patients 937\n", + "pandemic 897\n", + "like 894\n", + "research 880\n", + "spread 876\n", + "chinese 855\n" + ] + } + ], + "source": [ + "def get_top_n_words(corpus, n=None):\n", + " vec = CountVectorizer(stop_words = 'english').fit(corpus)\n", + " bag_of_words = vec.transform(corpus)\n", + " sum_words = bag_of_words.sum(axis=0) \n", + " words_freq = [(word, sum_words[0, idx]) for word, idx in vec.vocabulary_.items()]\n", + " words_freq =sorted(words_freq, key = lambda x: x[1], reverse=True)\n", + " return words_freq[:n]\n", + "\n", + "common_words = get_top_n_words(df['text'], 20)\n", + "for word, freq in common_words:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 104, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "united states 367\n", + "public health 338\n", + "new coronavirus 280\n", + "novel coronavirus 238\n", + "new york 221\n", + "social distancing 210\n", + "world health 185\n", + "infectious diseases 172\n", + "acute respiratory 161\n", + "health organization 160\n", + "wuhan institute 160\n", + "wuhan coronavirus 159\n", + "disease control 152\n", + "respiratory syndrome 147\n", + "gates foundation 147\n", + "wash hands 147\n", + "health care 144\n", + "soap water 130\n", + "institute virology 130\n", + "people infected 124\n" + ] + } + ], + "source": [ + "def get_top_n_bigram(corpus, n=None):\n", + " vec = CountVectorizer(ngram_range=(2, 2), stop_words='english').fit(corpus)\n", + " bag_of_words = vec.transform(corpus)\n", + " sum_words = bag_of_words.sum(axis=0) \n", + " words_freq = [(word, sum_words[0, idx]) for word, idx in vec.vocabulary_.items()]\n", + " words_freq =sorted(words_freq, key = lambda x: x[1], reverse=True)\n", + " return words_freq[:n]\n", + "common_words = get_top_n_bigram(df['text'], 20)\n", + "for word, freq in common_words:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 105, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "virus 1739\n", + "covid19 1698\n", + "people 1670\n", + "coronavirus 1418\n", + "said 1004\n", + "health 1001\n", + "vaccine 860\n", + "symptoms 796\n", + "new 772\n", + "disease 723\n", + "spread 583\n", + "infected 553\n", + "patients 537\n", + "cases 521\n", + "public 451\n", + "like 439\n", + "risk 434\n", + "person 432\n", + "medical 422\n", + "infection 408\n" + ] + } + ], + "source": [ + "common_words_true = get_top_n_words(df.loc[df['label']=='TRUE']['text'], 20)\n", + "for word, freq in common_words_true:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 106, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "coronavirus 2301\n", + "virus 1654\n", + "people 1168\n", + "china 1113\n", + "wuhan 1016\n", + "covid19 856\n", + "vaccine 855\n", + "new 849\n", + "world 824\n", + "vitamin 760\n", + "health 733\n", + "chinese 705\n", + "5g 648\n", + "research 600\n", + "gates 597\n", + "pandemic 561\n", + "flu 526\n", + "dr 509\n", + "disease 501\n", + "just 485\n" + ] + } + ], + "source": [ + "common_words_fake = get_top_n_words(df.loc[df['label']=='FAKE']['text'], 20)\n", + "for word, freq in common_words_fake:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 107, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "public health 225\n", + "new coronavirus 195\n", + "social distancing 169\n", + "united states 135\n", + "soap water 123\n", + "wash hands 123\n", + "novel coronavirus 123\n", + "health care 113\n", + "said dr 105\n", + "world health 99\n", + "new york 95\n", + "people infected 94\n", + "disease control 91\n", + "health organization 89\n", + "clinical trials 87\n", + "infected person 86\n", + "infectious diseases 86\n", + "respiratory syndrome 82\n", + "shortness breath 81\n", + "close contact 80\n" + ] + } + ], + "source": [ + "common_bigram_true = get_top_n_bigram(df.loc[df['label'] == 'TRUE']['text'], 20)\n", + "for word, freq in common_bigram_true:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 108, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "united states 232\n", + "wuhan coronavirus 159\n", + "gates foundation 136\n", + "wuhan institute 133\n", + "new york 126\n", + "novel coronavirus 115\n", + "biological warfare 114\n", + "public health 113\n", + "institute virology 112\n", + "melinda gates 107\n", + "biological weapons 107\n", + "coronavirus covid19 104\n", + "intravenous vitamin 99\n", + "coronavirus outbreak 89\n", + "acute respiratory 86\n", + "world health 86\n", + "infectious diseases 86\n", + "new coronavirus 85\n", + "dr fauci 82\n", + "event 201 73\n" + ] + } + ], + "source": [ + "common_bigram_fake = get_top_n_bigram(df.loc[df['label'] == 'FAKE']['text'], 20)\n", + "for word, freq in common_bigram_fake:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 51, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "coronavirus 117\n", + "virus 94\n", + "5g 86\n", + "flu 75\n", + "people 57\n", + "new 57\n", + "china 54\n", + "world 47\n", + "viruses 46\n", + "cases 41\n", + "disease 39\n", + "vitamin 36\n", + "wuhan 35\n", + "study 33\n", + "immune 32\n", + "influenza 31\n", + "viral 29\n", + "health 29\n", + "outbreak 27\n", + "time 27\n" + ] + } + ], + "source": [ + "archive_words = get_top_n_words(df.loc[df['source']=='https://web.archive.org/']['text'], 20)\n", + "for word, freq in archive_words:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 52, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "5g syndrome 18\n", + "5g flu 18\n", + "united states 15\n", + "new coronavirus 10\n", + "novel coronavirus 8\n", + "public health 8\n", + "world order 8\n", + "flu 5g 8\n", + "flu season 7\n", + "infectious diseases 7\n", + "multipolar world 7\n", + "hospital beds 7\n", + "million people 6\n", + "acute respiratory 6\n", + "disease control 6\n", + "coronavirus pandemic 6\n", + "genetic engineering 6\n", + "increased risk 6\n", + "wuhan coronavirus 6\n", + "new virus 6\n" + ] + } + ], + "source": [ + "archive_bigram = get_top_n_bigram(df.loc[df['source'] == 'https://web.archive.org/']['text'], 20)\n", + "for word, freq in archive_bigram:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 53, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "coronavirus 181\n", + "wuhan 114\n", + "fauci 88\n", + "5g 81\n", + "covid19 80\n", + "research 78\n", + "virus 72\n", + "people 70\n", + "vaccine 56\n", + "dr 50\n", + "china 47\n", + "death 47\n", + "pandemic 43\n", + "humanity 42\n", + "health 41\n", + "like 40\n", + "human 38\n", + "weapons 34\n", + "lab 33\n", + "gates 33\n" + ] + } + ], + "source": [ + "naturalnews_words = get_top_n_words(df.loc[df['source']=='https://www.naturalnews.com/']['text'], 20)\n", + "for word, freq in naturalnews_words:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 54, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "wuhan coronavirus 67\n", + "coronavirus covid19 55\n", + "dr fauci 36\n", + "death science 24\n", + "health ranger 16\n", + "wuhan institute 14\n", + "big pharma 13\n", + "bat coronaviruses 13\n", + "gainoffunction research 12\n", + "institute virology 11\n", + "biological weapons 11\n", + "shi zhengli 10\n", + "5g towers 10\n", + "5g radiation 9\n", + "heme group 9\n", + "global pandemic 8\n", + "white house 8\n", + "coronavirus vaccine 8\n", + "mike adams 8\n", + "adams health 8\n" + ] + } + ], + "source": [ + "naturalnews_bigram = get_top_n_bigram(df.loc[df['source'] == 'https://www.naturalnews.com/']['text'], 20)\n", + "for word, freq in naturalnews_bigram:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 55, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "vitamin 292\n", + "patients 90\n", + "intravenous 79\n", + "ivc 71\n", + "doses 67\n", + "dose 67\n", + "viral 58\n", + "coronavirus 54\n", + "high 53\n", + "hospital 48\n", + "flu 46\n", + "covid19 45\n", + "pneumonia 44\n", + "day 43\n", + "mg 43\n", + "treatment 43\n", + "china 40\n", + "severe 40\n", + "acute 39\n", + "virus 38\n" + ] + } + ], + "source": [ + "ortho_words = get_top_n_words(df.loc[df['source']=='http://orthomolecular.org/']['text'], 20)\n", + "for word, freq in ortho_words:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": 56, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "intravenous vitamin 66\n", + "dose ivc 26\n", + "ascorbic acid 22\n", + "oxidative stress 22\n", + "high dose 21\n", + "doses vitamin 18\n", + "massive doses 18\n", + "large dose 18\n", + "mg vitamin 15\n", + "acute respiratory 14\n", + "high doses 13\n", + "viral infections 13\n", + "swine flu 12\n", + "orthomolecular medicine 12\n", + "increased oxidative 12\n", + "vitamin cs 11\n", + "moderate severe 11\n", + "severely ill 10\n", + "sodium ascorbate 10\n", + "doses ascorbate 10\n" + ] + } + ], + "source": [ + "ortho_bigram = get_top_n_bigram(df.loc[df['source'] == 'http://orthomolecular.org/']['text'], 20)\n", + "for word, freq in ortho_bigram:\n", + " print(word, freq)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.6.7" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +}